The JUCE cross-platform C++ framework, with DISTRHO/KXStudio specific changes
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1051 lines
34KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library.
  4. Copyright (c) 2017 - ROLI Ltd.
  5. JUCE is an open source library subject to commercial or open-source
  6. licensing.
  7. The code included in this file is provided under the terms of the ISC license
  8. http://www.isc.org/downloads/software-support-policy/isc-license. Permission
  9. To use, copy, modify, and/or distribute this software for any purpose with or
  10. without fee is hereby granted provided that the above copyright notice and
  11. this permission notice appear in all copies.
  12. JUCE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES, WHETHER
  13. EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR PURPOSE, ARE
  14. DISCLAIMED.
  15. ==============================================================================
  16. */
  17. namespace juce
  18. {
  19. template <typename Detector>
  20. struct BlockImplementation : public Block,
  21. private MIDIDeviceConnection::Listener,
  22. private Timer
  23. {
  24. public:
  25. struct ControlButtonImplementation;
  26. struct TouchSurfaceImsplementation;
  27. struct LEDGridImplementation;
  28. struct LEDRowImplementation;
  29. BlockImplementation (Detector& detectorToUse, const DeviceInfo& deviceInfo)
  30. : Block (deviceInfo.serial.asString(),
  31. deviceInfo.version.asString(),
  32. deviceInfo.name.asString()),
  33. modelData (deviceInfo.serial),
  34. remoteHeap (modelData.programAndHeapSize),
  35. detector (&detectorToUse)
  36. {
  37. markReconnected (deviceInfo);
  38. if (modelData.hasTouchSurface)
  39. touchSurface.reset (new TouchSurfaceImplementation (*this));
  40. int i = 0;
  41. for (auto&& b : modelData.buttons)
  42. controlButtons.add (new ControlButtonImplementation (*this, i++, b));
  43. if (modelData.lightGridWidth > 0 && modelData.lightGridHeight > 0)
  44. ledGrid.reset (new LEDGridImplementation (*this));
  45. for (auto&& s : modelData.statusLEDs)
  46. statusLights.add (new StatusLightImplementation (*this, s));
  47. updateMidiConnectionListener();
  48. }
  49. ~BlockImplementation()
  50. {
  51. if (listenerToMidiConnection != nullptr)
  52. {
  53. config.setDeviceComms (nullptr);
  54. listenerToMidiConnection->removeListener (this);
  55. }
  56. }
  57. void markDisconnected()
  58. {
  59. if (auto surface = dynamic_cast<TouchSurfaceImplementation*> (touchSurface.get()))
  60. surface->disableTouchSurface();
  61. connectionTime = Time();
  62. }
  63. void markReconnected (const DeviceInfo& deviceInfo)
  64. {
  65. if (wasPowerCycled())
  66. resetPowerCycleFlag();
  67. if (connectionTime == Time())
  68. connectionTime = Time::getCurrentTime();
  69. versionNumber = deviceInfo.version.asString();
  70. name = deviceInfo.name.asString();
  71. isMaster = deviceInfo.isMaster;
  72. masterUID = deviceInfo.masterUid;
  73. batteryCharging = deviceInfo.batteryCharging;
  74. batteryLevel = deviceInfo.batteryLevel;
  75. topologyIndex = deviceInfo.index;
  76. setProgram (nullptr);
  77. remoteHeap.resetDeviceStateToUnknown();
  78. if (auto surface = dynamic_cast<TouchSurfaceImplementation*> (touchSurface.get()))
  79. surface->activateTouchSurface();
  80. updateMidiConnectionListener();
  81. }
  82. void setToMaster (bool shouldBeMaster)
  83. {
  84. isMaster = shouldBeMaster;
  85. }
  86. void updateMidiConnectionListener()
  87. {
  88. if (detector == nullptr)
  89. return;
  90. listenerToMidiConnection = dynamic_cast<MIDIDeviceConnection*> (detector->getDeviceConnectionFor (*this));
  91. if (listenerToMidiConnection != nullptr)
  92. listenerToMidiConnection->addListener (this);
  93. config.setDeviceComms (listenerToMidiConnection);
  94. }
  95. Type getType() const override { return modelData.apiType; }
  96. String getDeviceDescription() const override { return modelData.description; }
  97. int getWidth() const override { return modelData.widthUnits; }
  98. int getHeight() const override { return modelData.heightUnits; }
  99. float getMillimetersPerUnit() const override { return 47.0f; }
  100. bool isHardwareBlock() const override { return true; }
  101. juce::Array<Block::ConnectionPort> getPorts() const override { return modelData.ports; }
  102. bool isConnected() const override { return detector && detector->isConnected (uid); }
  103. Time getConnectionTime() const override { return connectionTime; }
  104. bool isMasterBlock() const override { return isMaster; }
  105. Block::UID getConnectedMasterUID() const override { return masterUID; }
  106. int getRotation() const override { return rotation; }
  107. BlockArea getBlockAreaWithinLayout() const override
  108. {
  109. if (rotation % 2 == 0)
  110. return { position.first, position.second, modelData.widthUnits, modelData.heightUnits };
  111. return { position.first, position.second, modelData.heightUnits, modelData.widthUnits };
  112. }
  113. TouchSurface* getTouchSurface() const override { return touchSurface.get(); }
  114. LEDGrid* getLEDGrid() const override { return ledGrid.get(); }
  115. LEDRow* getLEDRow() override
  116. {
  117. if (ledRow == nullptr && modelData.numLEDRowLEDs > 0)
  118. ledRow.reset (new LEDRowImplementation (*this));
  119. return ledRow.get();
  120. }
  121. juce::Array<ControlButton*> getButtons() const override
  122. {
  123. juce::Array<ControlButton*> result;
  124. result.addArray (controlButtons);
  125. return result;
  126. }
  127. juce::Array<StatusLight*> getStatusLights() const override
  128. {
  129. juce::Array<StatusLight*> result;
  130. result.addArray (statusLights);
  131. return result;
  132. }
  133. float getBatteryLevel() const override
  134. {
  135. return batteryLevel.toUnipolarFloat();
  136. }
  137. bool isBatteryCharging() const override
  138. {
  139. return batteryCharging.get() > 0;
  140. }
  141. bool supportsGraphics() const override
  142. {
  143. return false;
  144. }
  145. int getDeviceIndex() const noexcept
  146. {
  147. return isConnected() ? topologyIndex : -1;
  148. }
  149. template <typename PacketBuilder>
  150. bool sendMessageToDevice (const PacketBuilder& builder)
  151. {
  152. if (detector != nullptr)
  153. {
  154. lastMessageSendTime = Time::getCurrentTime();
  155. return detector->sendMessageToDevice (uid, builder);
  156. }
  157. return false;
  158. }
  159. bool sendCommandMessage (uint32 commandID)
  160. {
  161. return buildAndSendPacket<64> ([commandID] (BlocksProtocol::HostPacketBuilder<64>& p)
  162. { return p.deviceControlMessage (commandID); });
  163. }
  164. void handleCustomMessage (Block::Timestamp, const int32* data)
  165. {
  166. ProgramEventMessage m;
  167. for (uint32 i = 0; i < BlocksProtocol::numProgramMessageInts; ++i)
  168. m.values[i] = data[i];
  169. programEventListeners.call ([&] (ProgramEventListener& l) { l.handleProgramEvent (*this, m); });
  170. }
  171. static BlockImplementation* getFrom (Block* b) noexcept
  172. {
  173. jassert (dynamic_cast<BlockImplementation*> (b) != nullptr);
  174. return dynamic_cast<BlockImplementation*> (b);
  175. }
  176. static BlockImplementation* getFrom (Block& b) noexcept
  177. {
  178. return getFrom (&b);
  179. }
  180. //==============================================================================
  181. std::function<void(const String&)> logger;
  182. void setLogger (std::function<void(const String&)> newLogger) override
  183. {
  184. logger = newLogger;
  185. }
  186. void handleLogMessage (const String& message) const
  187. {
  188. if (logger != nullptr)
  189. logger (message);
  190. }
  191. //==============================================================================
  192. Result setProgram (Program* newProgram) override
  193. {
  194. if (newProgram != nullptr && program.get() == newProgram)
  195. {
  196. jassertfalse;
  197. return Result::ok();
  198. }
  199. stopTimer();
  200. {
  201. std::unique_ptr<Program> p (newProgram);
  202. if (program != nullptr
  203. && newProgram != nullptr
  204. && program->getLittleFootProgram() == newProgram->getLittleFootProgram())
  205. return Result::ok();
  206. std::swap (program, p);
  207. }
  208. programSize = 0;
  209. isProgramLoaded = shouldSaveProgramAsDefault = false;
  210. if (program == nullptr)
  211. {
  212. remoteHeap.clear();
  213. return Result::ok();
  214. }
  215. littlefoot::Compiler compiler;
  216. compiler.addNativeFunctions (PhysicalTopologySource::getStandardLittleFootFunctions());
  217. const auto err = compiler.compile (program->getLittleFootProgram(), 512, program->getSearchPaths());
  218. if (err.failed())
  219. return err;
  220. DBG ("Compiled littlefoot program, space needed: "
  221. << (int) compiler.getCompiledProgram().getTotalSpaceNeeded() << " bytes");
  222. if (compiler.getCompiledProgram().getTotalSpaceNeeded() > getMemorySize())
  223. return Result::fail ("Program too large!");
  224. const auto size = (size_t) compiler.compiledObjectCode.size();
  225. programSize = (uint32) size;
  226. remoteHeap.resetDataRangeToUnknown (0, remoteHeap.blockSize);
  227. remoteHeap.clear();
  228. remoteHeap.sendChanges (*this, true);
  229. remoteHeap.resetDataRangeToUnknown (0, (uint32) size);
  230. remoteHeap.setBytes (0, compiler.compiledObjectCode.begin(), size);
  231. remoteHeap.sendChanges (*this, true);
  232. this->resetConfigListActiveStatus();
  233. if (auto changeCallback = this->configChangedCallback)
  234. changeCallback (*this, {}, this->getMaxConfigIndex());
  235. startTimer (20);
  236. return Result::ok();
  237. }
  238. Program* getProgram() const override { return program.get(); }
  239. void sendProgramEvent (const ProgramEventMessage& message) override
  240. {
  241. static_assert (sizeof (ProgramEventMessage::values) == 4 * BlocksProtocol::numProgramMessageInts,
  242. "Need to keep the internal and external messages structures the same");
  243. if (remoteHeap.isProgramLoaded())
  244. {
  245. buildAndSendPacket<128> ([&message] (BlocksProtocol::HostPacketBuilder<128>& p)
  246. { return p.addProgramEventMessage (message.values); });
  247. }
  248. }
  249. void timerCallback() override
  250. {
  251. if (remoteHeap.isFullySynced() && remoteHeap.isProgramLoaded())
  252. {
  253. isProgramLoaded = true;
  254. stopTimer();
  255. if (shouldSaveProgramAsDefault)
  256. doSaveProgramAsDefault();
  257. if (programLoadedCallback != nullptr)
  258. programLoadedCallback (*this);
  259. }
  260. else
  261. {
  262. startTimer (100);
  263. }
  264. }
  265. void saveProgramAsDefault() override
  266. {
  267. shouldSaveProgramAsDefault = true;
  268. if (! isTimerRunning() && isProgramLoaded)
  269. doSaveProgramAsDefault();
  270. }
  271. uint32 getMemorySize() override
  272. {
  273. return modelData.programAndHeapSize;
  274. }
  275. uint32 getHeapMemorySize() override
  276. {
  277. jassert (isPositiveAndNotGreaterThan (programSize, modelData.programAndHeapSize));
  278. return modelData.programAndHeapSize - programSize;
  279. }
  280. void setDataByte (size_t offset, uint8 value) override
  281. {
  282. remoteHeap.setByte (programSize + offset, value);
  283. }
  284. void setDataBytes (size_t offset, const void* newData, size_t num) override
  285. {
  286. remoteHeap.setBytes (programSize + offset, static_cast<const uint8*> (newData), num);
  287. }
  288. void setDataBits (uint32 startBit, uint32 numBits, uint32 value) override
  289. {
  290. remoteHeap.setBits (programSize * 8 + startBit, numBits, value);
  291. }
  292. uint8 getDataByte (size_t offset) override
  293. {
  294. return remoteHeap.getByte (programSize + offset);
  295. }
  296. void handleSharedDataACK (uint32 packetCounter) noexcept
  297. {
  298. pingFromDevice();
  299. remoteHeap.handleACKFromDevice (*this, packetCounter);
  300. }
  301. bool sendFirmwareUpdatePacket (const uint8* data, uint8 size, std::function<void(uint8, uint32)> callback) override
  302. {
  303. firmwarePacketAckCallback = {};
  304. if (buildAndSendPacket<256> ([data, size] (BlocksProtocol::HostPacketBuilder<256>& p)
  305. { return p.addFirmwareUpdatePacket (data, size); }))
  306. {
  307. firmwarePacketAckCallback = callback;
  308. return true;
  309. }
  310. return false;
  311. }
  312. void handleFirmwareUpdateACK (uint8 resultCode, uint32 resultDetail)
  313. {
  314. if (firmwarePacketAckCallback != nullptr)
  315. {
  316. firmwarePacketAckCallback (resultCode, resultDetail);
  317. firmwarePacketAckCallback = {};
  318. }
  319. }
  320. void handleConfigUpdateMessage (int32 item, int32 value, int32 min, int32 max)
  321. {
  322. config.handleConfigUpdateMessage (item, value, min, max);
  323. }
  324. void handleConfigSetMessage(int32 item, int32 value)
  325. {
  326. config.handleConfigSetMessage (item, value);
  327. }
  328. void pingFromDevice()
  329. {
  330. lastMessageReceiveTime = Time::getCurrentTime();
  331. }
  332. void addDataInputPortListener (DataInputPortListener* listener) override
  333. {
  334. Block::addDataInputPortListener (listener);
  335. if (auto midiInput = getMidiInput())
  336. midiInput->start();
  337. }
  338. void sendMessage (const void* message, size_t messageSize) override
  339. {
  340. if (auto midiOutput = getMidiOutput())
  341. midiOutput->sendMessageNow ({ message, (int) messageSize });
  342. }
  343. void handleTimerTick()
  344. {
  345. if (ledGrid != nullptr)
  346. if (auto renderer = ledGrid->getRenderer())
  347. renderer->renderLEDGrid (*ledGrid);
  348. remoteHeap.sendChanges (*this, false);
  349. if (lastMessageSendTime < Time::getCurrentTime() - RelativeTime::milliseconds (pingIntervalMs))
  350. sendCommandMessage (BlocksProtocol::ping);
  351. }
  352. //==============================================================================
  353. int32 getLocalConfigValue (uint32 item) override
  354. {
  355. initialiseDeviceIndexAndConnection();
  356. return config.getItemValue ((BlocksProtocol::ConfigItemId) item);
  357. }
  358. void setLocalConfigValue (uint32 item, int32 value) override
  359. {
  360. initialiseDeviceIndexAndConnection();
  361. config.setItemValue ((BlocksProtocol::ConfigItemId) item, value);
  362. }
  363. void setLocalConfigRange (uint32 item, int32 min, int32 max) override
  364. {
  365. initialiseDeviceIndexAndConnection();
  366. config.setItemMin ((BlocksProtocol::ConfigItemId) item, min);
  367. config.setItemMax ((BlocksProtocol::ConfigItemId) item, max);
  368. }
  369. void setLocalConfigItemActive (uint32 item, bool isActive) override
  370. {
  371. initialiseDeviceIndexAndConnection();
  372. config.setItemActive ((BlocksProtocol::ConfigItemId) item, isActive);
  373. }
  374. bool isLocalConfigItemActive (uint32 item) override
  375. {
  376. initialiseDeviceIndexAndConnection();
  377. return config.getItemActive ((BlocksProtocol::ConfigItemId) item);
  378. }
  379. uint32 getMaxConfigIndex() override
  380. {
  381. return uint32 (BlocksProtocol::maxConfigIndex);
  382. }
  383. bool isValidUserConfigIndex (uint32 item) override
  384. {
  385. return item >= (uint32) BlocksProtocol::ConfigItemId::user0
  386. && item < (uint32) (BlocksProtocol::ConfigItemId::user0 + numberOfUserConfigs);
  387. }
  388. ConfigMetaData getLocalConfigMetaData (uint32 item) override
  389. {
  390. initialiseDeviceIndexAndConnection();
  391. return config.getMetaData ((BlocksProtocol::ConfigItemId) item);
  392. }
  393. void requestFactoryConfigSync() override
  394. {
  395. initialiseDeviceIndexAndConnection();
  396. config.requestFactoryConfigSync();
  397. }
  398. void resetConfigListActiveStatus() override
  399. {
  400. config.resetConfigListActiveStatus();
  401. }
  402. void setConfigChangedCallback (std::function<void(Block&, const ConfigMetaData&, uint32)> configChanged) override
  403. {
  404. configChangedCallback = std::move (configChanged);
  405. }
  406. void setProgramLoadedCallback (std::function<void(Block&)> programLoaded) override
  407. {
  408. programLoadedCallback = std::move (programLoaded);
  409. }
  410. bool setName (const String& newName) override
  411. {
  412. return buildAndSendPacket<128> ([&newName] (BlocksProtocol::HostPacketBuilder<128>& p)
  413. { return p.addSetBlockName (newName); });
  414. }
  415. void factoryReset() override
  416. {
  417. buildAndSendPacket<32> ([] (BlocksProtocol::HostPacketBuilder<32>& p)
  418. { return p.addFactoryReset(); });
  419. }
  420. void blockReset() override
  421. {
  422. bool messageSent = false;
  423. if (isMasterBlock())
  424. {
  425. sendMessage (BlocksProtocol::SpecialMessageFromHost::resetMaster,
  426. sizeof (BlocksProtocol::SpecialMessageFromHost::resetMaster));
  427. messageSent = true;
  428. }
  429. else
  430. {
  431. messageSent = buildAndSendPacket<32> ([] (BlocksProtocol::HostPacketBuilder<32>& p)
  432. { return p.addBlockReset(); });
  433. }
  434. if (messageSent)
  435. {
  436. hasBeenPowerCycled = true;
  437. if (detector != nullptr)
  438. detector->notifyBlockIsRestarting (uid);
  439. }
  440. }
  441. bool wasPowerCycled() const { return hasBeenPowerCycled; }
  442. void resetPowerCycleFlag() { hasBeenPowerCycled = false; }
  443. //==============================================================================
  444. std::unique_ptr<TouchSurface> touchSurface;
  445. OwnedArray<ControlButton> controlButtons;
  446. std::unique_ptr<LEDGridImplementation> ledGrid;
  447. std::unique_ptr<LEDRowImplementation> ledRow;
  448. OwnedArray<StatusLight> statusLights;
  449. BlocksProtocol::BlockDataSheet modelData;
  450. MIDIDeviceConnection* listenerToMidiConnection = nullptr;
  451. static constexpr int pingIntervalMs = 400;
  452. static constexpr uint32 maxBlockSize = BlocksProtocol::padBlockProgramAndHeapSize;
  453. static constexpr uint32 maxPacketCounter = BlocksProtocol::PacketCounter::maxValue;
  454. static constexpr uint32 maxPacketSize = 200;
  455. using PacketBuilder = BlocksProtocol::HostPacketBuilder<maxPacketSize>;
  456. using RemoteHeapType = littlefoot::LittleFootRemoteHeap<BlockImplementation>;
  457. RemoteHeapType remoteHeap;
  458. WeakReference<Detector> detector;
  459. Time lastMessageSendTime, lastMessageReceiveTime;
  460. BlockConfigManager config;
  461. std::function<void(Block&, const ConfigMetaData&, uint32)> configChangedCallback;
  462. std::function<void(Block&)> programLoadedCallback;
  463. private:
  464. std::unique_ptr<Program> program;
  465. uint32 programSize = 0;
  466. std::function<void(uint8, uint32)> firmwarePacketAckCallback;
  467. bool isMaster = false;
  468. Block::UID masterUID = {};
  469. BlocksProtocol::BatteryLevel batteryLevel {};
  470. BlocksProtocol::BatteryCharging batteryCharging {};
  471. BlocksProtocol::TopologyIndex topologyIndex {};
  472. Time connectionTime {};
  473. std::pair<int, int> position;
  474. int rotation = 0;
  475. friend Detector;
  476. bool isProgramLoaded = false;
  477. bool shouldSaveProgramAsDefault = false;
  478. bool hasBeenPowerCycled = false;
  479. void initialiseDeviceIndexAndConnection()
  480. {
  481. config.setDeviceIndex ((TopologyIndex) getDeviceIndex());
  482. config.setDeviceComms (listenerToMidiConnection);
  483. }
  484. const MidiInput* getMidiInput() const
  485. {
  486. if (detector != nullptr)
  487. if (auto c = dynamic_cast<const MIDIDeviceConnection*> (detector->getDeviceConnectionFor (*this)))
  488. return c->midiInput.get();
  489. jassertfalse;
  490. return nullptr;
  491. }
  492. MidiInput* getMidiInput()
  493. {
  494. return const_cast<MidiInput*> (static_cast<const BlockImplementation&>(*this).getMidiInput());
  495. }
  496. const MidiOutput* getMidiOutput() const
  497. {
  498. if (detector != nullptr)
  499. if (auto c = dynamic_cast<const MIDIDeviceConnection*> (detector->getDeviceConnectionFor (*this)))
  500. return c->midiOutput.get();
  501. jassertfalse;
  502. return nullptr;
  503. }
  504. MidiOutput* getMidiOutput()
  505. {
  506. return const_cast<MidiOutput*> (static_cast<const BlockImplementation&>(*this).getMidiOutput());
  507. }
  508. void handleIncomingMidiMessage (const MidiMessage& message) override
  509. {
  510. dataInputPortListeners.call ([&] (DataInputPortListener& l) { l.handleIncomingDataPortMessage (*this, message.getRawData(),
  511. (size_t) message.getRawDataSize()); });
  512. }
  513. void connectionBeingDeleted (const MIDIDeviceConnection& c) override
  514. {
  515. jassert (listenerToMidiConnection == &c);
  516. ignoreUnused (c);
  517. listenerToMidiConnection->removeListener (this);
  518. listenerToMidiConnection = nullptr;
  519. config.setDeviceComms (nullptr);
  520. }
  521. void doSaveProgramAsDefault()
  522. {
  523. sendCommandMessage (BlocksProtocol::saveProgramAsDefault);
  524. }
  525. template<int packetBytes, typename PacketBuilderFn>
  526. bool buildAndSendPacket (PacketBuilderFn buildFn)
  527. {
  528. auto index = getDeviceIndex();
  529. if (index < 0)
  530. {
  531. jassertfalse;
  532. return false;
  533. }
  534. BlocksProtocol::HostPacketBuilder<packetBytes> p;
  535. p.writePacketSysexHeaderBytes ((BlocksProtocol::TopologyIndex) index);
  536. if (! buildFn (p))
  537. return false;
  538. p.writePacketSysexFooter();
  539. return sendMessageToDevice (p);
  540. }
  541. public:
  542. //==============================================================================
  543. struct TouchSurfaceImplementation : public TouchSurface,
  544. private Timer
  545. {
  546. TouchSurfaceImplementation (BlockImplementation& b) : TouchSurface (b), blockImpl (b)
  547. {
  548. activateTouchSurface();
  549. }
  550. ~TouchSurfaceImplementation()
  551. {
  552. disableTouchSurface();
  553. }
  554. void activateTouchSurface()
  555. {
  556. startTimer (500);
  557. }
  558. void disableTouchSurface()
  559. {
  560. stopTimer();
  561. }
  562. int getNumberOfKeywaves() const noexcept override
  563. {
  564. return blockImpl.modelData.numKeywaves;
  565. }
  566. void broadcastTouchChange (const TouchSurface::Touch& touchEvent)
  567. {
  568. auto& status = touches.getValue (touchEvent);
  569. // Fake a touch end if we receive a duplicate touch-start with no preceding touch-end (ie: comms error)
  570. if (touchEvent.isTouchStart && status.isActive)
  571. killTouch (touchEvent, status, Time::getMillisecondCounter());
  572. // Fake a touch start if we receive an unexpected event with no matching start event. (ie: comms error)
  573. if (! touchEvent.isTouchStart && ! status.isActive)
  574. {
  575. TouchSurface::Touch t (touchEvent);
  576. t.isTouchStart = true;
  577. t.isTouchEnd = false;
  578. if (t.zVelocity <= 0) t.zVelocity = status.lastStrikePressure;
  579. if (t.zVelocity <= 0) t.zVelocity = t.z;
  580. if (t.zVelocity <= 0) t.zVelocity = 0.9f;
  581. listeners.call ([&] (TouchSurface::Listener& l) { l.touchChanged (*this, t); });
  582. }
  583. // Normal handling:
  584. status.lastEventTime = Time::getMillisecondCounter();
  585. status.isActive = ! touchEvent.isTouchEnd;
  586. if (touchEvent.isTouchStart)
  587. status.lastStrikePressure = touchEvent.zVelocity;
  588. listeners.call ([&] (TouchSurface::Listener& l) { l.touchChanged (*this, touchEvent); });
  589. }
  590. void timerCallback() override
  591. {
  592. // Find touches that seem to have become stuck, and fake a touch-end for them..
  593. static const uint32 touchTimeOutMs = 500;
  594. for (auto& t : touches)
  595. {
  596. auto& status = t.value;
  597. auto now = Time::getMillisecondCounter();
  598. if (status.isActive && now > status.lastEventTime + touchTimeOutMs)
  599. killTouch (t.touch, status, now);
  600. }
  601. }
  602. struct TouchStatus
  603. {
  604. uint32 lastEventTime = 0;
  605. float lastStrikePressure = 0;
  606. bool isActive = false;
  607. };
  608. void killTouch (const TouchSurface::Touch& touch, TouchStatus& status, uint32 timeStamp) noexcept
  609. {
  610. jassert (status.isActive);
  611. TouchSurface::Touch killTouch (touch);
  612. killTouch.z = 0;
  613. killTouch.xVelocity = 0;
  614. killTouch.yVelocity = 0;
  615. killTouch.zVelocity = -1.0f;
  616. killTouch.eventTimestamp = timeStamp;
  617. killTouch.isTouchStart = false;
  618. killTouch.isTouchEnd = true;
  619. listeners.call ([&] (TouchSurface::Listener& l) { l.touchChanged (*this, killTouch); });
  620. status.isActive = false;
  621. }
  622. void cancelAllActiveTouches() noexcept override
  623. {
  624. const auto now = Time::getMillisecondCounter();
  625. for (auto& t : touches)
  626. if (t.value.isActive)
  627. killTouch (t.touch, t.value, now);
  628. touches.clear();
  629. }
  630. BlockImplementation& blockImpl;
  631. TouchList<TouchStatus> touches;
  632. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (TouchSurfaceImplementation)
  633. };
  634. //==============================================================================
  635. struct ControlButtonImplementation : public ControlButton
  636. {
  637. ControlButtonImplementation (BlockImplementation& b, int index, BlocksProtocol::BlockDataSheet::ButtonInfo info)
  638. : ControlButton (b), blockImpl (b), buttonInfo (info), buttonIndex (index)
  639. {
  640. }
  641. ~ControlButtonImplementation()
  642. {
  643. }
  644. ButtonFunction getType() const override { return buttonInfo.type; }
  645. String getName() const override { return BlocksProtocol::getButtonNameForFunction (buttonInfo.type); }
  646. float getPositionX() const override { return buttonInfo.x; }
  647. float getPositionY() const override { return buttonInfo.y; }
  648. bool hasLight() const override { return blockImpl.isControlBlock(); }
  649. bool setLightColour (LEDColour colour) override
  650. {
  651. if (hasLight())
  652. {
  653. if (auto row = blockImpl.ledRow.get())
  654. {
  655. row->setButtonColour ((uint32) buttonIndex, colour);
  656. return true;
  657. }
  658. }
  659. return false;
  660. }
  661. void broadcastButtonChange (Block::Timestamp timestamp, ControlButton::ButtonFunction button, bool isDown)
  662. {
  663. if (button == buttonInfo.type)
  664. {
  665. if (wasDown == isDown)
  666. sendButtonChangeToListeners (timestamp, ! isDown);
  667. sendButtonChangeToListeners (timestamp, isDown);
  668. wasDown = isDown;
  669. }
  670. }
  671. void sendButtonChangeToListeners (Block::Timestamp timestamp, bool isDown)
  672. {
  673. if (isDown)
  674. listeners.call ([&] (ControlButton::Listener& l) { l.buttonPressed (*this, timestamp); });
  675. else
  676. listeners.call ([&] (ControlButton::Listener& l) { l.buttonReleased (*this, timestamp); });
  677. }
  678. BlockImplementation& blockImpl;
  679. BlocksProtocol::BlockDataSheet::ButtonInfo buttonInfo;
  680. int buttonIndex;
  681. bool wasDown = false;
  682. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (ControlButtonImplementation)
  683. };
  684. //==============================================================================
  685. struct StatusLightImplementation : public StatusLight
  686. {
  687. StatusLightImplementation (Block& b, BlocksProtocol::BlockDataSheet::StatusLEDInfo i) : StatusLight (b), info (i)
  688. {
  689. }
  690. String getName() const override { return info.name; }
  691. bool setColour (LEDColour newColour) override
  692. {
  693. // XXX TODO!
  694. ignoreUnused (newColour);
  695. return false;
  696. }
  697. BlocksProtocol::BlockDataSheet::StatusLEDInfo info;
  698. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (StatusLightImplementation)
  699. };
  700. //==============================================================================
  701. struct LEDGridImplementation : public LEDGrid
  702. {
  703. LEDGridImplementation (BlockImplementation& b) : LEDGrid (b), blockImpl (b)
  704. {
  705. }
  706. int getNumColumns() const override { return blockImpl.modelData.lightGridWidth; }
  707. int getNumRows() const override { return blockImpl.modelData.lightGridHeight; }
  708. BlockImplementation& blockImpl;
  709. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (LEDGridImplementation)
  710. };
  711. //==============================================================================
  712. struct LEDRowImplementation : public LEDRow,
  713. private Timer
  714. {
  715. LEDRowImplementation (BlockImplementation& b) : LEDRow (b)
  716. {
  717. startTimer (300);
  718. }
  719. void setButtonColour (uint32 index, LEDColour colour)
  720. {
  721. if (index < 10)
  722. {
  723. colours[index] = colour;
  724. flush();
  725. }
  726. }
  727. int getNumLEDs() const override
  728. {
  729. return static_cast<const BlockImplementation&> (block).modelData.numLEDRowLEDs;
  730. }
  731. void setLEDColour (int index, LEDColour colour) override
  732. {
  733. if ((uint32) index < 15u)
  734. {
  735. colours[10 + index] = colour;
  736. flush();
  737. }
  738. }
  739. void setOverlayColour (LEDColour colour) override
  740. {
  741. colours[25] = colour;
  742. flush();
  743. }
  744. void resetOverlayColour() override
  745. {
  746. setOverlayColour ({});
  747. }
  748. private:
  749. LEDColour colours[26];
  750. void timerCallback() override
  751. {
  752. stopTimer();
  753. loadProgramOntoBlock();
  754. flush();
  755. }
  756. void loadProgramOntoBlock()
  757. {
  758. if (block.getProgram() == nullptr)
  759. {
  760. auto err = block.setProgram (new DefaultLEDGridProgram (block));
  761. if (err.failed())
  762. {
  763. DBG (err.getErrorMessage());
  764. jassertfalse;
  765. }
  766. }
  767. }
  768. void flush()
  769. {
  770. if (block.getProgram() != nullptr)
  771. for (uint32 i = 0; i < (uint32) numElementsInArray (colours); ++i)
  772. write565Colour (16 * i, colours[i]);
  773. }
  774. void write565Colour (uint32 bitIndex, LEDColour colour)
  775. {
  776. block.setDataBits (bitIndex, 5, colour.getRed() >> 3);
  777. block.setDataBits (bitIndex + 5, 6, colour.getGreen() >> 2);
  778. block.setDataBits (bitIndex + 11, 5, colour.getBlue() >> 3);
  779. }
  780. struct DefaultLEDGridProgram : public Block::Program
  781. {
  782. DefaultLEDGridProgram (Block& b) : Block::Program (b) {}
  783. String getLittleFootProgram() override
  784. {
  785. /* Data format:
  786. 0: 10 x 5-6-5 bits for button LED RGBs
  787. 20: 15 x 5-6-5 bits for LED row colours
  788. 50: 1 x 5-6-5 bits for LED row overlay colour
  789. */
  790. return R"littlefoot(
  791. #heapsize: 128
  792. int getColour (int bitIndex)
  793. {
  794. return makeARGB (255,
  795. getHeapBits (bitIndex, 5) << 3,
  796. getHeapBits (bitIndex + 5, 6) << 2,
  797. getHeapBits (bitIndex + 11, 5) << 3);
  798. }
  799. int getButtonColour (int index)
  800. {
  801. return getColour (16 * index);
  802. }
  803. int getLEDColour (int index)
  804. {
  805. if (getHeapInt (50))
  806. return getColour (50 * 8);
  807. return getColour (20 * 8 + 16 * index);
  808. }
  809. void repaint()
  810. {
  811. for (int x = 0; x < 15; ++x)
  812. fillPixel (getLEDColour (x), x, 0);
  813. for (int i = 0; i < 10; ++i)
  814. fillPixel (getButtonColour (i), i, 1);
  815. }
  816. void handleMessage (int p1, int p2) {}
  817. )littlefoot";
  818. }
  819. };
  820. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (LEDRowImplementation)
  821. };
  822. private:
  823. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (BlockImplementation)
  824. };
  825. } // namespace juce