Audio plugin host https://kx.studio/carla
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.

2724 lines
96KB

  1. /*
  2. * Carla Native Plugin
  3. * Copyright (C) 2012-2019 Filipe Coelho <falktx@falktx.com>
  4. *
  5. * This program is free software; you can redistribute it and/or
  6. * modify it under the terms of the GNU General Public License as
  7. * published by the Free Software Foundation; either version 2 of
  8. * the License, or any later version.
  9. *
  10. * This program is distributed in the hope that it will be useful,
  11. * but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  13. * GNU General Public License for more details.
  14. *
  15. * For a full copy of the GNU General Public License see the doc/GPL.txt file.
  16. */
  17. #include "CarlaPluginInternal.hpp"
  18. #include "CarlaEngine.hpp"
  19. #include "CarlaMathUtils.hpp"
  20. #include "CarlaNative.h"
  21. #include "water/text/StringArray.h"
  22. using water::jmax;
  23. using water::String;
  24. using water::StringArray;
  25. // -----------------------------------------------------------------------
  26. // used in carla-base.cpp
  27. std::size_t carla_getNativePluginCount() noexcept;
  28. const NativePluginDescriptor* carla_getNativePluginDescriptor(const std::size_t index) noexcept;
  29. // -----------------------------------------------------------------------
  30. static LinkedList<const NativePluginDescriptor*> gPluginDescriptors;
  31. void carla_register_native_plugin(const NativePluginDescriptor* desc)
  32. {
  33. gPluginDescriptors.append(desc);
  34. }
  35. // -----------------------------------------------------------------------
  36. static
  37. class NativePluginInitializer
  38. {
  39. public:
  40. NativePluginInitializer() noexcept
  41. : fNeedsInit(true) {}
  42. ~NativePluginInitializer() noexcept
  43. {
  44. gPluginDescriptors.clear();
  45. }
  46. void initIfNeeded() noexcept
  47. {
  48. if (! fNeedsInit)
  49. return;
  50. fNeedsInit = false;
  51. try {
  52. carla_register_all_native_plugins();
  53. } CARLA_SAFE_EXCEPTION("carla_register_all_native_plugins")
  54. }
  55. private:
  56. bool fNeedsInit;
  57. } sPluginInitializer;
  58. // -----------------------------------------------------------------------
  59. std::size_t carla_getNativePluginCount() noexcept
  60. {
  61. sPluginInitializer.initIfNeeded();
  62. return gPluginDescriptors.count();
  63. }
  64. const NativePluginDescriptor* carla_getNativePluginDescriptor(const std::size_t index) noexcept
  65. {
  66. sPluginInitializer.initIfNeeded();
  67. return gPluginDescriptors.getAt(index, nullptr);
  68. }
  69. // -----------------------------------------------------------------------
  70. CARLA_BACKEND_START_NAMESPACE
  71. // -------------------------------------------------------------------
  72. // Fallback data
  73. static const CustomData kCustomDataFallback = { nullptr, nullptr, nullptr };
  74. static const EngineEvent kNullEngineEvent = { kEngineEventTypeNull, 0, 0, {} };
  75. // -----------------------------------------------------------------------
  76. struct NativePluginMidiOutData {
  77. uint32_t count;
  78. uint32_t* indexes;
  79. CarlaEngineEventPort** ports;
  80. NativePluginMidiOutData() noexcept
  81. : count(0),
  82. indexes(nullptr),
  83. ports(nullptr) {}
  84. ~NativePluginMidiOutData() noexcept
  85. {
  86. CARLA_SAFE_ASSERT_INT(count == 0, count);
  87. CARLA_SAFE_ASSERT(indexes == nullptr);
  88. CARLA_SAFE_ASSERT(ports == nullptr);
  89. }
  90. bool createNew(const uint32_t newCount)
  91. {
  92. CARLA_SAFE_ASSERT_INT(count == 0, count);
  93. CARLA_SAFE_ASSERT_RETURN(indexes == nullptr, false);
  94. CARLA_SAFE_ASSERT_RETURN(ports == nullptr, false);
  95. CARLA_SAFE_ASSERT_RETURN(newCount > 0, false);
  96. indexes = new uint32_t[newCount];
  97. ports = new CarlaEngineEventPort*[newCount];
  98. count = newCount;
  99. carla_zeroStructs(indexes, newCount);
  100. carla_zeroStructs(ports, newCount);
  101. return true;
  102. }
  103. void clear() noexcept
  104. {
  105. if (ports != nullptr)
  106. {
  107. for (uint32_t i=0; i < count; ++i)
  108. {
  109. if (ports[i] != nullptr)
  110. {
  111. delete ports[i];
  112. ports[i] = nullptr;
  113. }
  114. }
  115. delete[] ports;
  116. ports = nullptr;
  117. }
  118. if (indexes != nullptr)
  119. {
  120. delete[] indexes;
  121. indexes = nullptr;
  122. }
  123. count = 0;
  124. }
  125. void initBuffers() const noexcept
  126. {
  127. for (uint32_t i=0; i < count; ++i)
  128. {
  129. if (ports[i] != nullptr)
  130. ports[i]->initBuffer();
  131. }
  132. }
  133. CARLA_DECLARE_NON_COPY_STRUCT(NativePluginMidiOutData)
  134. };
  135. struct NativePluginMidiInData : NativePluginMidiOutData {
  136. struct MultiPortData {
  137. uint32_t cachedEventCount;
  138. uint32_t usedIndex;
  139. };
  140. MultiPortData* multiportData;
  141. NativePluginMidiInData() noexcept
  142. : NativePluginMidiOutData(),
  143. multiportData(nullptr) {}
  144. ~NativePluginMidiInData() noexcept
  145. {
  146. CARLA_SAFE_ASSERT(multiportData == nullptr);
  147. }
  148. bool createNew(const uint32_t newCount)
  149. {
  150. if (! NativePluginMidiOutData::createNew(newCount))
  151. return false;
  152. multiportData = new MultiPortData[newCount];
  153. carla_zeroStructs(multiportData, newCount);
  154. return true;
  155. }
  156. void clear() noexcept
  157. {
  158. if (multiportData != nullptr)
  159. {
  160. delete[] multiportData;
  161. multiportData = nullptr;
  162. }
  163. NativePluginMidiOutData::clear();
  164. }
  165. void initBuffers(CarlaEngineEventPort* const port) const noexcept
  166. {
  167. if (count == 1)
  168. {
  169. CARLA_SAFE_ASSERT_RETURN(port != nullptr,);
  170. carla_zeroStruct(multiportData[0]);
  171. multiportData[0].cachedEventCount = port->getEventCount();
  172. return;
  173. }
  174. for (uint32_t i=0; i < count; ++i)
  175. {
  176. carla_zeroStruct(multiportData[i]);
  177. if (ports[i] != nullptr)
  178. {
  179. ports[i]->initBuffer();
  180. multiportData[i].cachedEventCount = ports[i]->getEventCount();
  181. }
  182. }
  183. }
  184. CARLA_DECLARE_NON_COPY_STRUCT(NativePluginMidiInData)
  185. };
  186. // -----------------------------------------------------
  187. class CarlaPluginNative : public CarlaPlugin
  188. {
  189. public:
  190. CarlaPluginNative(CarlaEngine* const engine, const uint id)
  191. : CarlaPlugin(engine, id),
  192. fHandle(nullptr),
  193. fHandle2(nullptr),
  194. fHost(),
  195. fDescriptor(nullptr),
  196. fIsProcessing(false),
  197. fIsOffline(false),
  198. fIsUiAvailable(false),
  199. fIsUiVisible(false),
  200. fAudioInBuffers(nullptr),
  201. fAudioOutBuffers(nullptr),
  202. fMidiEventInCount(0),
  203. fMidiEventOutCount(0),
  204. fCurBufferSize(engine->getBufferSize()),
  205. fCurSampleRate(engine->getSampleRate()),
  206. fMidiIn(),
  207. fMidiOut(),
  208. fTimeInfo()
  209. {
  210. carla_debug("CarlaPluginNative::CarlaPluginNative(%p, %i)", engine, id);
  211. carla_fill(fCurMidiProgs, 0, MAX_MIDI_CHANNELS);
  212. carla_zeroStructs(fMidiInEvents, kPluginMaxMidiEvents);
  213. carla_zeroStructs(fMidiOutEvents, kPluginMaxMidiEvents);
  214. carla_zeroStruct(fTimeInfo);
  215. fHost.handle = this;
  216. fHost.resourceDir = carla_strdup(engine->getOptions().resourceDir);
  217. fHost.uiName = nullptr;
  218. fHost.uiParentId = engine->getOptions().frontendWinId;
  219. fHost.get_buffer_size = carla_host_get_buffer_size;
  220. fHost.get_sample_rate = carla_host_get_sample_rate;
  221. fHost.is_offline = carla_host_is_offline;
  222. fHost.get_time_info = carla_host_get_time_info;
  223. fHost.write_midi_event = carla_host_write_midi_event;
  224. fHost.ui_parameter_changed = carla_host_ui_parameter_changed;
  225. fHost.ui_custom_data_changed = carla_host_ui_custom_data_changed;
  226. fHost.ui_closed = carla_host_ui_closed;
  227. fHost.ui_open_file = carla_host_ui_open_file;
  228. fHost.ui_save_file = carla_host_ui_save_file;
  229. fHost.dispatcher = carla_host_dispatcher;
  230. }
  231. ~CarlaPluginNative() override
  232. {
  233. carla_debug("CarlaPluginNative::~CarlaPluginNative()");
  234. // close UI
  235. if (pData->hints & PLUGIN_HAS_CUSTOM_UI)
  236. {
  237. if (fIsUiVisible && fDescriptor != nullptr && fDescriptor->ui_show != nullptr && fHandle != nullptr)
  238. fDescriptor->ui_show(fHandle, false);
  239. #ifndef BUILD_BRIDGE
  240. pData->transientTryCounter = 0;
  241. #endif
  242. }
  243. pData->singleMutex.lock();
  244. pData->masterMutex.lock();
  245. if (pData->client != nullptr && pData->client->isActive())
  246. pData->client->deactivate();
  247. CARLA_ASSERT(! fIsProcessing);
  248. if (pData->active)
  249. {
  250. deactivate();
  251. pData->active = false;
  252. }
  253. if (fDescriptor != nullptr)
  254. {
  255. if (fDescriptor->cleanup != nullptr)
  256. {
  257. if (fHandle != nullptr)
  258. fDescriptor->cleanup(fHandle);
  259. if (fHandle2 != nullptr)
  260. fDescriptor->cleanup(fHandle2);
  261. }
  262. fHandle = nullptr;
  263. fHandle2 = nullptr;
  264. fDescriptor = nullptr;
  265. }
  266. if (fHost.resourceDir != nullptr)
  267. {
  268. delete[] fHost.resourceDir;
  269. fHost.resourceDir = nullptr;
  270. }
  271. if (fHost.uiName != nullptr)
  272. {
  273. delete[] fHost.uiName;
  274. fHost.uiName = nullptr;
  275. }
  276. clearBuffers();
  277. }
  278. // -------------------------------------------------------------------
  279. // Information (base)
  280. PluginType getType() const noexcept override
  281. {
  282. return PLUGIN_INTERNAL;
  283. }
  284. PluginCategory getCategory() const noexcept override
  285. {
  286. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr, PLUGIN_CATEGORY_NONE);
  287. return static_cast<PluginCategory>(fDescriptor->category);
  288. }
  289. // -------------------------------------------------------------------
  290. // Information (count)
  291. uint32_t getMidiInCount() const noexcept override
  292. {
  293. return fMidiIn.count;
  294. }
  295. uint32_t getMidiOutCount() const noexcept override
  296. {
  297. return fMidiOut.count;
  298. }
  299. uint32_t getParameterScalePointCount(const uint32_t parameterId) const noexcept override
  300. {
  301. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr, 0);
  302. CARLA_SAFE_ASSERT_RETURN(fDescriptor->get_parameter_info != nullptr, 0);
  303. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr, 0);
  304. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count, 0);
  305. // FIXME - try
  306. if (const NativeParameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId))
  307. return param->scalePointCount;
  308. carla_safe_assert("const Parameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId)", __FILE__, __LINE__);
  309. return 0;
  310. }
  311. // -------------------------------------------------------------------
  312. // Information (current data)
  313. // nothing
  314. // -------------------------------------------------------------------
  315. // Information (per-plugin data)
  316. uint getOptionsAvailable() const noexcept override
  317. {
  318. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr, 0x0);
  319. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr, 0x0);
  320. bool hasMidiProgs = false;
  321. if (fDescriptor->get_midi_program_count != nullptr)
  322. {
  323. try {
  324. hasMidiProgs = fDescriptor->get_midi_program_count(fHandle) > 0;
  325. } catch (...) {}
  326. }
  327. uint options = 0x0;
  328. // can't disable fixed buffers if required by the plugin
  329. if ((fDescriptor->hints & NATIVE_PLUGIN_NEEDS_FIXED_BUFFERS) == 0x0)
  330. options |= PLUGIN_OPTION_FIXED_BUFFERS;
  331. // can't disable forced stereo if enabled in the engine
  332. if (pData->engine->getOptions().forceStereo)
  333. pass();
  334. // if inputs or outputs are just 1, then yes we can force stereo
  335. else if (pData->audioIn.count == 1 || pData->audioOut.count == 1 || fHandle2 != nullptr)
  336. options |= PLUGIN_OPTION_FORCE_STEREO;
  337. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_CONTROL_CHANGES)
  338. options |= PLUGIN_OPTION_SEND_CONTROL_CHANGES;
  339. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_CHANNEL_PRESSURE)
  340. options |= PLUGIN_OPTION_SEND_CHANNEL_PRESSURE;
  341. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_NOTE_AFTERTOUCH)
  342. options |= PLUGIN_OPTION_SEND_NOTE_AFTERTOUCH;
  343. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_PITCHBEND)
  344. options |= PLUGIN_OPTION_SEND_PITCHBEND;
  345. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_ALL_SOUND_OFF)
  346. options |= PLUGIN_OPTION_SEND_ALL_SOUND_OFF;
  347. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_PROGRAM_CHANGES)
  348. options |= PLUGIN_OPTION_SEND_PROGRAM_CHANGES;
  349. else if (hasMidiProgs)
  350. options |= PLUGIN_OPTION_MAP_PROGRAM_CHANGES;
  351. return options;
  352. }
  353. float getParameterValue(const uint32_t parameterId) const noexcept override
  354. {
  355. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr, 0.0f);
  356. CARLA_SAFE_ASSERT_RETURN(fDescriptor->get_parameter_value != nullptr, 0.0f);
  357. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr, 0.0f);
  358. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count, 0.0f);
  359. // FIXME - try
  360. return fDescriptor->get_parameter_value(fHandle, parameterId);
  361. }
  362. float getParameterScalePointValue(const uint32_t parameterId, const uint32_t scalePointId) const noexcept override
  363. {
  364. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr, 0.0f);
  365. CARLA_SAFE_ASSERT_RETURN(fDescriptor->get_parameter_info != nullptr, 0.0f);
  366. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr, 0.0f);
  367. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count, 0.0f);
  368. // FIXME - try
  369. if (const NativeParameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId))
  370. {
  371. CARLA_SAFE_ASSERT_RETURN(scalePointId < param->scalePointCount, 0.0f);
  372. const NativeParameterScalePoint* scalePoint(&param->scalePoints[scalePointId]);
  373. return scalePoint->value;
  374. }
  375. carla_safe_assert("const Parameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId)", __FILE__, __LINE__);
  376. return 0.0f;
  377. }
  378. void getLabel(char* const strBuf) const noexcept override
  379. {
  380. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  381. if (fDescriptor->label != nullptr)
  382. {
  383. std::strncpy(strBuf, fDescriptor->label, STR_MAX);
  384. return;
  385. }
  386. CarlaPlugin::getLabel(strBuf);
  387. }
  388. void getMaker(char* const strBuf) const noexcept override
  389. {
  390. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  391. if (fDescriptor->maker != nullptr)
  392. {
  393. std::strncpy(strBuf, fDescriptor->maker, STR_MAX);
  394. return;
  395. }
  396. CarlaPlugin::getMaker(strBuf);
  397. }
  398. void getCopyright(char* const strBuf) const noexcept override
  399. {
  400. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  401. if (fDescriptor->copyright != nullptr)
  402. {
  403. std::strncpy(strBuf, fDescriptor->copyright, STR_MAX);
  404. return;
  405. }
  406. CarlaPlugin::getCopyright(strBuf);
  407. }
  408. void getRealName(char* const strBuf) const noexcept override
  409. {
  410. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  411. if (fDescriptor->name != nullptr)
  412. {
  413. std::strncpy(strBuf, fDescriptor->name, STR_MAX);
  414. return;
  415. }
  416. CarlaPlugin::getRealName(strBuf);
  417. }
  418. void getParameterName(const uint32_t parameterId, char* const strBuf) const noexcept override
  419. {
  420. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  421. CARLA_SAFE_ASSERT_RETURN(fDescriptor->get_parameter_info != nullptr,);
  422. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  423. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count,);
  424. // FIXME - try
  425. if (const NativeParameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId))
  426. {
  427. if (param->name != nullptr)
  428. {
  429. std::strncpy(strBuf, param->name, STR_MAX);
  430. return;
  431. }
  432. carla_safe_assert("param->name != nullptr", __FILE__, __LINE__);
  433. return CarlaPlugin::getParameterName(parameterId, strBuf);
  434. }
  435. carla_safe_assert("const Parameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId)", __FILE__, __LINE__);
  436. CarlaPlugin::getParameterName(parameterId, strBuf);
  437. }
  438. void getParameterUnit(const uint32_t parameterId, char* const strBuf) const noexcept override
  439. {
  440. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  441. CARLA_SAFE_ASSERT_RETURN(fDescriptor->get_parameter_info != nullptr,);
  442. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  443. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count,);
  444. // FIXME - try
  445. if (const NativeParameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId))
  446. {
  447. if (param->unit != nullptr)
  448. {
  449. std::strncpy(strBuf, param->unit, STR_MAX);
  450. return;
  451. }
  452. return CarlaPlugin::getParameterUnit(parameterId, strBuf);
  453. }
  454. carla_safe_assert("const Parameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId)", __FILE__, __LINE__);
  455. CarlaPlugin::getParameterUnit(parameterId, strBuf);
  456. }
  457. void getParameterScalePointLabel(const uint32_t parameterId, const uint32_t scalePointId, char* const strBuf) const noexcept override
  458. {
  459. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  460. CARLA_SAFE_ASSERT_RETURN(fDescriptor->get_parameter_info != nullptr,);
  461. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  462. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count,);
  463. // FIXME - try
  464. if (const NativeParameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId))
  465. {
  466. CARLA_SAFE_ASSERT_RETURN(scalePointId < param->scalePointCount,);
  467. const NativeParameterScalePoint* scalePoint(&param->scalePoints[scalePointId]);
  468. if (scalePoint->label != nullptr)
  469. {
  470. std::strncpy(strBuf, scalePoint->label, STR_MAX);
  471. return;
  472. }
  473. carla_safe_assert("scalePoint->label != nullptr", __FILE__, __LINE__);
  474. return CarlaPlugin::getParameterScalePointLabel(parameterId, scalePointId, strBuf);
  475. }
  476. carla_safe_assert("const Parameter* const param = fDescriptor->get_parameter_info(fHandle, parameterId)", __FILE__, __LINE__);
  477. CarlaPlugin::getParameterScalePointLabel(parameterId, scalePointId, strBuf);
  478. }
  479. // -------------------------------------------------------------------
  480. // Set data (state)
  481. void prepareForSave() override
  482. {
  483. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  484. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  485. if (pData->midiprog.count > 0 && fDescriptor->category == NATIVE_PLUGIN_CATEGORY_SYNTH)
  486. {
  487. char strBuf[STR_MAX+1];
  488. std::snprintf(strBuf, STR_MAX, "%i:%i:%i:%i:%i:%i:%i:%i:%i:%i:%i:%i:%i:%i:%i:%i",
  489. fCurMidiProgs[0], fCurMidiProgs[1], fCurMidiProgs[2], fCurMidiProgs[3],
  490. fCurMidiProgs[4], fCurMidiProgs[5], fCurMidiProgs[6], fCurMidiProgs[7],
  491. fCurMidiProgs[8], fCurMidiProgs[9], fCurMidiProgs[10], fCurMidiProgs[11],
  492. fCurMidiProgs[12], fCurMidiProgs[13], fCurMidiProgs[14], fCurMidiProgs[15]);
  493. strBuf[STR_MAX] = '\0';
  494. CarlaPlugin::setCustomData(CUSTOM_DATA_TYPE_STRING, "midiPrograms", strBuf, false);
  495. }
  496. if (fDescriptor == nullptr || fDescriptor->get_state == nullptr || (fDescriptor->hints & NATIVE_PLUGIN_USES_STATE) == 0)
  497. return;
  498. if (char* data = fDescriptor->get_state(fHandle))
  499. {
  500. CarlaPlugin::setCustomData(CUSTOM_DATA_TYPE_CHUNK, "State", data, false);
  501. std::free(data);
  502. }
  503. }
  504. // -------------------------------------------------------------------
  505. // Set data (internal stuff)
  506. void setName(const char* const newName) override
  507. {
  508. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  509. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  510. CARLA_SAFE_ASSERT_RETURN(newName != nullptr && newName[0] != '\0',);
  511. char uiName[std::strlen(newName)+6+1];
  512. std::strcpy(uiName, newName);
  513. std::strcat(uiName, " (GUI)");
  514. if (fHost.uiName != nullptr)
  515. delete[] fHost.uiName;
  516. fHost.uiName = carla_strdup(uiName);
  517. if (fDescriptor->dispatcher != nullptr && fIsUiVisible)
  518. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_UI_NAME_CHANGED, 0, 0, uiName, 0.0f);
  519. CarlaPlugin::setName(newName);
  520. }
  521. void setCtrlChannel(const int8_t channel, const bool sendOsc, const bool sendCallback) noexcept override
  522. {
  523. if (channel >= 0 && channel < MAX_MIDI_CHANNELS && pData->midiprog.count > 0)
  524. pData->midiprog.current = fCurMidiProgs[channel];
  525. CarlaPlugin::setCtrlChannel(channel, sendOsc, sendCallback);
  526. }
  527. // -------------------------------------------------------------------
  528. // Set data (plugin-specific stuff)
  529. void setParameterValue(const uint32_t parameterId, const float value, const bool sendGui, const bool sendOsc, const bool sendCallback) noexcept override
  530. {
  531. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  532. CARLA_SAFE_ASSERT_RETURN(fDescriptor->set_parameter_value != nullptr,);
  533. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  534. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count,);
  535. const float fixedValue(pData->param.getFixedValue(parameterId, value));
  536. // FIXME - try
  537. fDescriptor->set_parameter_value(fHandle, parameterId, fixedValue);
  538. if (fHandle2 != nullptr)
  539. fDescriptor->set_parameter_value(fHandle2, parameterId, fixedValue);
  540. CarlaPlugin::setParameterValue(parameterId, fixedValue, sendGui, sendOsc, sendCallback);
  541. }
  542. void setParameterValueRT(const uint32_t parameterId, const float value) noexcept override
  543. {
  544. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  545. CARLA_SAFE_ASSERT_RETURN(fDescriptor->set_parameter_value != nullptr,);
  546. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  547. CARLA_SAFE_ASSERT_RETURN(parameterId < pData->param.count,);
  548. const float fixedValue(pData->param.getFixedValue(parameterId, value));
  549. // FIXME - try
  550. fDescriptor->set_parameter_value(fHandle, parameterId, fixedValue);
  551. if (fHandle2 != nullptr)
  552. fDescriptor->set_parameter_value(fHandle2, parameterId, fixedValue);
  553. CarlaPlugin::setParameterValueRT(parameterId, fixedValue);
  554. }
  555. void setCustomData(const char* const type, const char* const key, const char* const value, const bool sendGui) override
  556. {
  557. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  558. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  559. CARLA_SAFE_ASSERT_RETURN(type != nullptr && type[0] != '\0',);
  560. CARLA_SAFE_ASSERT_RETURN(key != nullptr && key[0] != '\0',);
  561. CARLA_SAFE_ASSERT_RETURN(value != nullptr,);
  562. carla_debug("CarlaPluginNative::setCustomData(%s, %s, ..., %s)", type, key, bool2str(sendGui));
  563. if (std::strcmp(type, CUSTOM_DATA_TYPE_PROPERTY) == 0)
  564. return CarlaPlugin::setCustomData(type, key, value, sendGui);
  565. if (std::strcmp(type, CUSTOM_DATA_TYPE_STRING) != 0 && std::strcmp(type, CUSTOM_DATA_TYPE_CHUNK) != 0)
  566. return carla_stderr2("CarlaPluginNative::setCustomData(\"%s\", \"%s\", \"%s\", %s) - type is invalid", type, key, value, bool2str(sendGui));
  567. if (std::strcmp(type, CUSTOM_DATA_TYPE_CHUNK) == 0)
  568. {
  569. if (fDescriptor->set_state != nullptr && (fDescriptor->hints & NATIVE_PLUGIN_USES_STATE) != 0)
  570. {
  571. const ScopedSingleProcessLocker spl(this, true);
  572. fDescriptor->set_state(fHandle, value);
  573. if (fHandle2 != nullptr)
  574. fDescriptor->set_state(fHandle2, value);
  575. }
  576. }
  577. else if (std::strcmp(key, "midiPrograms") == 0 && fDescriptor->set_midi_program != nullptr)
  578. {
  579. StringArray midiProgramList(StringArray::fromTokens(value, ":", ""));
  580. if (midiProgramList.size() == MAX_MIDI_CHANNELS)
  581. {
  582. uint8_t channel = 0;
  583. for (String *it=midiProgramList.begin(), *end=midiProgramList.end(); it != end; ++it)
  584. {
  585. const int index(it->getIntValue());
  586. if (index >= 0 && index < static_cast<int>(pData->midiprog.count))
  587. {
  588. const uint32_t bank = pData->midiprog.data[index].bank;
  589. const uint32_t program = pData->midiprog.data[index].program;
  590. fDescriptor->set_midi_program(fHandle, channel, bank, program);
  591. if (fHandle2 != nullptr)
  592. fDescriptor->set_midi_program(fHandle2, channel, bank, program);
  593. fCurMidiProgs[channel] = index;
  594. if (pData->ctrlChannel == static_cast<int32_t>(channel))
  595. {
  596. pData->midiprog.current = index;
  597. pData->engine->callback(ENGINE_CALLBACK_MIDI_PROGRAM_CHANGED, pData->id, index, 0, 0.0f, nullptr);
  598. }
  599. }
  600. ++channel;
  601. }
  602. CARLA_SAFE_ASSERT(channel == MAX_MIDI_CHANNELS);
  603. }
  604. }
  605. else
  606. {
  607. if (fDescriptor->set_custom_data != nullptr)
  608. {
  609. fDescriptor->set_custom_data(fHandle, key, value);
  610. if (fHandle2 != nullptr)
  611. fDescriptor->set_custom_data(fHandle2, key, value);
  612. }
  613. if (sendGui && fIsUiVisible && fDescriptor->ui_set_custom_data != nullptr)
  614. fDescriptor->ui_set_custom_data(fHandle, key, value);
  615. }
  616. CarlaPlugin::setCustomData(type, key, value, sendGui);
  617. }
  618. void setMidiProgram(const int32_t index, const bool sendGui, const bool sendOsc, const bool sendCallback, const bool doingInit) noexcept override
  619. {
  620. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  621. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  622. CARLA_SAFE_ASSERT_RETURN(index >= -1 && index < static_cast<int32_t>(pData->midiprog.count),);
  623. CARLA_SAFE_ASSERT_RETURN(sendGui || sendOsc || sendCallback || doingInit,);
  624. // TODO, put into check below
  625. if ((pData->hints & PLUGIN_IS_SYNTH) != 0 && (pData->ctrlChannel < 0 || pData->ctrlChannel >= MAX_MIDI_CHANNELS))
  626. return CarlaPlugin::setMidiProgram(index, sendGui, sendOsc, sendCallback, doingInit);
  627. if (index >= 0)
  628. {
  629. const uint8_t channel = uint8_t((pData->ctrlChannel >= 0 && pData->ctrlChannel < MAX_MIDI_CHANNELS) ? pData->ctrlChannel : 0);
  630. const uint32_t bank = pData->midiprog.data[index].bank;
  631. const uint32_t program = pData->midiprog.data[index].program;
  632. const ScopedSingleProcessLocker spl(this, (sendGui || sendOsc || sendCallback));
  633. try {
  634. fDescriptor->set_midi_program(fHandle, channel, bank, program);
  635. } catch(...) {}
  636. if (fHandle2 != nullptr)
  637. {
  638. try {
  639. fDescriptor->set_midi_program(fHandle2, channel, bank, program);
  640. } catch(...) {}
  641. }
  642. fCurMidiProgs[channel] = index;
  643. }
  644. CarlaPlugin::setMidiProgram(index, sendGui, sendOsc, sendCallback, doingInit);
  645. }
  646. void setMidiProgramRT(const uint32_t index) noexcept override
  647. {
  648. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  649. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  650. CARLA_SAFE_ASSERT_RETURN(index < pData->midiprog.count,);
  651. // TODO, put into check below
  652. if ((pData->hints & PLUGIN_IS_SYNTH) != 0 && (pData->ctrlChannel < 0 || pData->ctrlChannel >= MAX_MIDI_CHANNELS))
  653. return CarlaPlugin::setMidiProgramRT(index);
  654. const uint8_t channel = uint8_t((pData->ctrlChannel >= 0 && pData->ctrlChannel < MAX_MIDI_CHANNELS) ? pData->ctrlChannel : 0);
  655. const uint32_t bank = pData->midiprog.data[index].bank;
  656. const uint32_t program = pData->midiprog.data[index].program;
  657. try {
  658. fDescriptor->set_midi_program(fHandle, channel, bank, program);
  659. } catch(...) {}
  660. if (fHandle2 != nullptr)
  661. {
  662. try {
  663. fDescriptor->set_midi_program(fHandle2, channel, bank, program);
  664. } catch(...) {}
  665. }
  666. fCurMidiProgs[channel] = static_cast<int32_t>(index);
  667. CarlaPlugin::setMidiProgramRT(index);
  668. }
  669. // -------------------------------------------------------------------
  670. // Set ui stuff
  671. void showCustomUI(const bool yesNo) override
  672. {
  673. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  674. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  675. if (fDescriptor->ui_show == nullptr)
  676. return;
  677. fIsUiAvailable = true;
  678. fDescriptor->ui_show(fHandle, yesNo);
  679. // UI might not be available, see NATIVE_HOST_OPCODE_UI_UNAVAILABLE
  680. if (yesNo && ! fIsUiAvailable)
  681. return;
  682. fIsUiVisible = yesNo;
  683. if (! yesNo)
  684. {
  685. #ifndef BUILD_BRIDGE
  686. pData->transientTryCounter = 0;
  687. #endif
  688. return;
  689. }
  690. #ifndef BUILD_BRIDGE
  691. if ((fDescriptor->hints & NATIVE_PLUGIN_USES_PARENT_ID) == 0 && std::strstr(fDescriptor->label, "file") == nullptr)
  692. pData->tryTransient();
  693. #endif
  694. if (fDescriptor->ui_set_custom_data != nullptr)
  695. {
  696. for (LinkedList<CustomData>::Itenerator it = pData->custom.begin2(); it.valid(); it.next())
  697. {
  698. const CustomData& cData(it.getValue(kCustomDataFallback));
  699. CARLA_SAFE_ASSERT_CONTINUE(cData.isValid());
  700. if (std::strcmp(cData.type, CUSTOM_DATA_TYPE_STRING) == 0 && std::strcmp(cData.key, "midiPrograms") != 0)
  701. fDescriptor->ui_set_custom_data(fHandle, cData.key, cData.value);
  702. }
  703. }
  704. if (fDescriptor->ui_set_midi_program != nullptr && pData->midiprog.current >= 0 && pData->midiprog.count > 0)
  705. {
  706. const int32_t index = pData->midiprog.current;
  707. const uint8_t channel = uint8_t((pData->ctrlChannel >= 0 && pData->ctrlChannel < MAX_MIDI_CHANNELS) ? pData->ctrlChannel : 0);
  708. const uint32_t bank = pData->midiprog.data[index].bank;
  709. const uint32_t program = pData->midiprog.data[index].program;
  710. fDescriptor->ui_set_midi_program(fHandle, channel, bank, program);
  711. }
  712. if (fDescriptor->ui_set_parameter_value != nullptr)
  713. {
  714. for (uint32_t i=0; i < pData->param.count; ++i)
  715. fDescriptor->ui_set_parameter_value(fHandle, i, fDescriptor->get_parameter_value(fHandle, i));
  716. }
  717. }
  718. void uiIdle() override
  719. {
  720. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  721. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  722. if (fIsUiVisible && fDescriptor->ui_idle != nullptr)
  723. fDescriptor->ui_idle(fHandle);
  724. CarlaPlugin::uiIdle();
  725. }
  726. // -------------------------------------------------------------------
  727. // Plugin state
  728. void reload() override
  729. {
  730. CARLA_SAFE_ASSERT_RETURN(pData->engine != nullptr,);
  731. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  732. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  733. carla_debug("CarlaPluginNative::reload() - start");
  734. const EngineProcessMode processMode(pData->engine->getProccessMode());
  735. // Safely disable plugin for reload
  736. const ScopedDisabler sd(this);
  737. if (pData->active)
  738. deactivate();
  739. clearBuffers();
  740. const float sampleRate((float)pData->engine->getSampleRate());
  741. uint32_t aIns, aOuts, mIns, mOuts, params, j;
  742. bool forcedStereoIn, forcedStereoOut;
  743. forcedStereoIn = forcedStereoOut = false;
  744. bool needsCtrlIn, needsCtrlOut;
  745. needsCtrlIn = needsCtrlOut = false;
  746. aIns = fDescriptor->audioIns;
  747. aOuts = fDescriptor->audioOuts;
  748. mIns = fDescriptor->midiIns;
  749. mOuts = fDescriptor->midiOuts;
  750. params = (fDescriptor->get_parameter_count != nullptr && fDescriptor->get_parameter_info != nullptr) ? fDescriptor->get_parameter_count(fHandle) : 0;
  751. if ((pData->options & PLUGIN_OPTION_FORCE_STEREO) != 0 && (aIns == 1 || aOuts == 1) && mIns <= 1 && mOuts <= 1)
  752. {
  753. if (fHandle2 == nullptr)
  754. fHandle2 = fDescriptor->instantiate(&fHost);
  755. if (fHandle2 != nullptr)
  756. {
  757. if (aIns == 1)
  758. {
  759. aIns = 2;
  760. forcedStereoIn = true;
  761. }
  762. if (aOuts == 1)
  763. {
  764. aOuts = 2;
  765. forcedStereoOut = true;
  766. }
  767. }
  768. }
  769. if (aIns > 0)
  770. {
  771. pData->audioIn.createNew(aIns);
  772. fAudioInBuffers = new float*[aIns];
  773. for (uint32_t i=0; i < aIns; ++i)
  774. fAudioInBuffers[i] = nullptr;
  775. }
  776. if (aOuts > 0)
  777. {
  778. pData->audioOut.createNew(aOuts);
  779. fAudioOutBuffers = new float*[aOuts];
  780. needsCtrlIn = true;
  781. for (uint32_t i=0; i < aOuts; ++i)
  782. fAudioOutBuffers[i] = nullptr;
  783. }
  784. if (mIns > 0)
  785. {
  786. fMidiIn.createNew(mIns);
  787. needsCtrlIn = (mIns == 1);
  788. }
  789. if (mOuts > 0)
  790. {
  791. fMidiOut.createNew(mOuts);
  792. needsCtrlOut = (mOuts == 1);
  793. }
  794. if (params > 0)
  795. {
  796. pData->param.createNew(params, true);
  797. }
  798. const uint portNameSize(pData->engine->getMaxPortNameSize());
  799. CarlaString portName;
  800. // Audio Ins
  801. for (j=0; j < aIns; ++j)
  802. {
  803. portName.clear();
  804. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  805. {
  806. portName = pData->name;
  807. portName += ":";
  808. }
  809. if (aIns > 1 && ! forcedStereoIn)
  810. {
  811. portName += "input_";
  812. portName += CarlaString(j+1);
  813. }
  814. else
  815. portName += "input";
  816. portName.truncate(portNameSize);
  817. pData->audioIn.ports[j].port = (CarlaEngineAudioPort*)pData->client->addPort(kEnginePortTypeAudio, portName, true, j);
  818. pData->audioIn.ports[j].rindex = j;
  819. if (forcedStereoIn)
  820. {
  821. portName += "_2";
  822. pData->audioIn.ports[1].port = (CarlaEngineAudioPort*)pData->client->addPort(kEnginePortTypeAudio, portName, true, 1);
  823. pData->audioIn.ports[1].rindex = j;
  824. break;
  825. }
  826. }
  827. // Audio Outs
  828. for (j=0; j < aOuts; ++j)
  829. {
  830. portName.clear();
  831. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  832. {
  833. portName = pData->name;
  834. portName += ":";
  835. }
  836. if (aOuts > 1 && ! forcedStereoOut)
  837. {
  838. portName += "output_";
  839. portName += CarlaString(j+1);
  840. }
  841. else
  842. portName += "output";
  843. portName.truncate(portNameSize);
  844. pData->audioOut.ports[j].port = (CarlaEngineAudioPort*)pData->client->addPort(kEnginePortTypeAudio, portName, false, j);
  845. pData->audioOut.ports[j].rindex = j;
  846. if (forcedStereoOut)
  847. {
  848. portName += "_2";
  849. pData->audioOut.ports[1].port = (CarlaEngineAudioPort*)pData->client->addPort(kEnginePortTypeAudio, portName, false, 1);
  850. pData->audioOut.ports[1].rindex = j;
  851. break;
  852. }
  853. }
  854. // MIDI Input (only if multiple)
  855. if (mIns > 1)
  856. {
  857. for (j=0; j < mIns; ++j)
  858. {
  859. portName.clear();
  860. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  861. {
  862. portName = pData->name;
  863. portName += ":";
  864. }
  865. portName += "midi-in_";
  866. portName += CarlaString(j+1);
  867. portName.truncate(portNameSize);
  868. fMidiIn.ports[j] = (CarlaEngineEventPort*)pData->client->addPort(kEnginePortTypeEvent, portName, true, j);
  869. fMidiIn.indexes[j] = j;
  870. }
  871. pData->event.portIn = fMidiIn.ports[0];
  872. }
  873. // MIDI Output (only if multiple)
  874. if (mOuts > 1)
  875. {
  876. for (j=0; j < mOuts; ++j)
  877. {
  878. portName.clear();
  879. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  880. {
  881. portName = pData->name;
  882. portName += ":";
  883. }
  884. portName += "midi-out_";
  885. portName += CarlaString(j+1);
  886. portName.truncate(portNameSize);
  887. fMidiOut.ports[j] = (CarlaEngineEventPort*)pData->client->addPort(kEnginePortTypeEvent, portName, false, j);
  888. fMidiOut.indexes[j] = j;
  889. }
  890. pData->event.portOut = fMidiOut.ports[0];
  891. }
  892. for (j=0; j < params; ++j)
  893. {
  894. const NativeParameter* const paramInfo(fDescriptor->get_parameter_info(fHandle, j));
  895. CARLA_SAFE_ASSERT_CONTINUE(paramInfo != nullptr);
  896. pData->param.data[j].type = PARAMETER_UNKNOWN;
  897. pData->param.data[j].index = static_cast<int32_t>(j);
  898. pData->param.data[j].rindex = static_cast<int32_t>(j);
  899. float min, max, def, step, stepSmall, stepLarge;
  900. // min value
  901. min = paramInfo->ranges.min;
  902. // max value
  903. max = paramInfo->ranges.max;
  904. if (min > max)
  905. max = min;
  906. if (carla_isEqual(min, max))
  907. {
  908. carla_stderr2("WARNING - Broken plugin parameter '%s': max == min", paramInfo->name);
  909. max = min + 0.1f;
  910. }
  911. // default value
  912. def = paramInfo->ranges.def;
  913. if (def < min)
  914. def = min;
  915. else if (def > max)
  916. def = max;
  917. if (paramInfo->hints & NATIVE_PARAMETER_USES_SAMPLE_RATE)
  918. {
  919. min *= sampleRate;
  920. max *= sampleRate;
  921. def *= sampleRate;
  922. pData->param.data[j].hints |= PARAMETER_USES_SAMPLERATE;
  923. }
  924. if (paramInfo->hints & NATIVE_PARAMETER_IS_BOOLEAN)
  925. {
  926. step = max - min;
  927. stepSmall = step;
  928. stepLarge = step;
  929. pData->param.data[j].hints |= PARAMETER_IS_BOOLEAN;
  930. }
  931. else if (paramInfo->hints & NATIVE_PARAMETER_IS_INTEGER)
  932. {
  933. step = 1.0f;
  934. stepSmall = 1.0f;
  935. stepLarge = 10.0f;
  936. pData->param.data[j].hints |= PARAMETER_IS_INTEGER;
  937. }
  938. else
  939. {
  940. float range = max - min;
  941. step = range/100.0f;
  942. stepSmall = range/1000.0f;
  943. stepLarge = range/10.0f;
  944. }
  945. if (paramInfo->hints & NATIVE_PARAMETER_IS_OUTPUT)
  946. {
  947. pData->param.data[j].type = PARAMETER_OUTPUT;
  948. needsCtrlOut = true;
  949. }
  950. else
  951. {
  952. pData->param.data[j].type = PARAMETER_INPUT;
  953. needsCtrlIn = true;
  954. }
  955. // extra parameter hints
  956. if (paramInfo->hints & NATIVE_PARAMETER_IS_ENABLED)
  957. pData->param.data[j].hints |= PARAMETER_IS_ENABLED;
  958. if (paramInfo->hints & NATIVE_PARAMETER_IS_AUTOMABLE)
  959. pData->param.data[j].hints |= PARAMETER_IS_AUTOMABLE;
  960. if (paramInfo->hints & NATIVE_PARAMETER_IS_LOGARITHMIC)
  961. pData->param.data[j].hints |= PARAMETER_IS_LOGARITHMIC;
  962. if (paramInfo->hints & NATIVE_PARAMETER_USES_SCALEPOINTS)
  963. pData->param.data[j].hints |= PARAMETER_USES_SCALEPOINTS;
  964. pData->param.ranges[j].min = min;
  965. pData->param.ranges[j].max = max;
  966. pData->param.ranges[j].def = def;
  967. pData->param.ranges[j].step = step;
  968. pData->param.ranges[j].stepSmall = stepSmall;
  969. pData->param.ranges[j].stepLarge = stepLarge;
  970. }
  971. if (needsCtrlIn || mIns == 1)
  972. {
  973. portName.clear();
  974. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  975. {
  976. portName = pData->name;
  977. portName += ":";
  978. }
  979. portName += "events-in";
  980. portName.truncate(portNameSize);
  981. pData->event.portIn = (CarlaEngineEventPort*)pData->client->addPort(kEnginePortTypeEvent, portName, true, 0);
  982. }
  983. if (needsCtrlOut || mOuts == 1)
  984. {
  985. portName.clear();
  986. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  987. {
  988. portName = pData->name;
  989. portName += ":";
  990. }
  991. portName += "events-out";
  992. portName.truncate(portNameSize);
  993. pData->event.portOut = (CarlaEngineEventPort*)pData->client->addPort(kEnginePortTypeEvent, portName, false, 0);
  994. }
  995. if (forcedStereoIn || forcedStereoOut)
  996. pData->options |= PLUGIN_OPTION_FORCE_STEREO;
  997. else
  998. pData->options &= ~PLUGIN_OPTION_FORCE_STEREO;
  999. // plugin hints
  1000. pData->hints = 0x0;
  1001. if (aOuts > 0 && (aIns == aOuts || aIns == 1))
  1002. pData->hints |= PLUGIN_CAN_DRYWET;
  1003. if (aOuts > 0)
  1004. pData->hints |= PLUGIN_CAN_VOLUME;
  1005. if (aOuts >= 2 && aOuts % 2 == 0)
  1006. pData->hints |= PLUGIN_CAN_BALANCE;
  1007. // native plugin hints
  1008. if (fDescriptor->hints & NATIVE_PLUGIN_IS_RTSAFE)
  1009. pData->hints |= PLUGIN_IS_RTSAFE;
  1010. if (fDescriptor->hints & NATIVE_PLUGIN_IS_SYNTH)
  1011. pData->hints |= PLUGIN_IS_SYNTH;
  1012. if (fDescriptor->hints & NATIVE_PLUGIN_HAS_UI)
  1013. pData->hints |= PLUGIN_HAS_CUSTOM_UI;
  1014. if (fDescriptor->hints & NATIVE_PLUGIN_NEEDS_FIXED_BUFFERS)
  1015. pData->hints |= PLUGIN_NEEDS_FIXED_BUFFERS;
  1016. if (fDescriptor->hints & NATIVE_PLUGIN_NEEDS_UI_MAIN_THREAD)
  1017. pData->hints |= PLUGIN_NEEDS_UI_MAIN_THREAD;
  1018. if (fDescriptor->hints & NATIVE_PLUGIN_USES_MULTI_PROGS)
  1019. pData->hints |= PLUGIN_USES_MULTI_PROGS;
  1020. // extra plugin hints
  1021. pData->extraHints = 0x0;
  1022. bufferSizeChanged(pData->engine->getBufferSize());
  1023. reloadPrograms(true);
  1024. if (pData->active)
  1025. activate();
  1026. carla_debug("CarlaPluginNative::reload() - end");
  1027. }
  1028. void reloadPrograms(const bool doInit) override
  1029. {
  1030. carla_debug("CarlaPluginNative::reloadPrograms(%s)", bool2str(doInit));
  1031. uint32_t i, oldCount = pData->midiprog.count;
  1032. const int32_t current = pData->midiprog.current;
  1033. // Delete old programs
  1034. pData->midiprog.clear();
  1035. // Query new programs
  1036. uint32_t count = 0;
  1037. if (fDescriptor->get_midi_program_count != nullptr && fDescriptor->get_midi_program_info != nullptr && fDescriptor->set_midi_program != nullptr)
  1038. count = fDescriptor->get_midi_program_count(fHandle);
  1039. if (count > 0)
  1040. {
  1041. pData->midiprog.createNew(count);
  1042. // Update data
  1043. for (i=0; i < count; ++i)
  1044. {
  1045. const NativeMidiProgram* const mpDesc(fDescriptor->get_midi_program_info(fHandle, i));
  1046. CARLA_SAFE_ASSERT_CONTINUE(mpDesc != nullptr);
  1047. pData->midiprog.data[i].bank = mpDesc->bank;
  1048. pData->midiprog.data[i].program = mpDesc->program;
  1049. pData->midiprog.data[i].name = carla_strdup(mpDesc->name);
  1050. }
  1051. }
  1052. #if defined(HAVE_LIBLO) && ! defined(BUILD_BRIDGE)
  1053. // Update OSC Names
  1054. if (pData->engine->isOscControlRegistered() && pData->id < pData->engine->getCurrentPluginCount())
  1055. {
  1056. pData->engine->oscSend_control_set_midi_program_count(pData->id, count);
  1057. for (i=0; i < count; ++i)
  1058. pData->engine->oscSend_control_set_midi_program_data(pData->id, i, pData->midiprog.data[i].bank, pData->midiprog.data[i].program, pData->midiprog.data[i].name);
  1059. }
  1060. #endif
  1061. if (doInit)
  1062. {
  1063. if (count > 0)
  1064. setMidiProgram(0, false, false, false, true);
  1065. }
  1066. else
  1067. {
  1068. // Check if current program is invalid
  1069. bool programChanged = false;
  1070. if (count == oldCount+1)
  1071. {
  1072. // one midi program added, probably created by user
  1073. pData->midiprog.current = static_cast<int32_t>(oldCount);
  1074. programChanged = true;
  1075. }
  1076. else if (current < 0 && count > 0)
  1077. {
  1078. // programs exist now, but not before
  1079. pData->midiprog.current = 0;
  1080. programChanged = true;
  1081. }
  1082. else if (current >= 0 && count == 0)
  1083. {
  1084. // programs existed before, but not anymore
  1085. pData->midiprog.current = -1;
  1086. programChanged = true;
  1087. }
  1088. else if (current >= static_cast<int32_t>(count))
  1089. {
  1090. // current midi program > count
  1091. pData->midiprog.current = 0;
  1092. programChanged = true;
  1093. }
  1094. else
  1095. {
  1096. // no change
  1097. pData->midiprog.current = current;
  1098. }
  1099. if (programChanged)
  1100. setMidiProgram(pData->midiprog.current, true, true, true, false);
  1101. pData->engine->callback(ENGINE_CALLBACK_RELOAD_PROGRAMS, pData->id, 0, 0, 0.0f, nullptr);
  1102. }
  1103. }
  1104. // -------------------------------------------------------------------
  1105. // Plugin processing
  1106. void activate() noexcept override
  1107. {
  1108. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1109. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1110. if (fDescriptor->activate != nullptr)
  1111. {
  1112. try {
  1113. fDescriptor->activate(fHandle);
  1114. } catch(...) {}
  1115. if (fHandle2 != nullptr)
  1116. {
  1117. try {
  1118. fDescriptor->activate(fHandle2);
  1119. } catch(...) {}
  1120. }
  1121. }
  1122. }
  1123. void deactivate() noexcept override
  1124. {
  1125. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1126. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1127. if (fDescriptor->deactivate != nullptr)
  1128. {
  1129. try {
  1130. fDescriptor->deactivate(fHandle);
  1131. } catch(...) {}
  1132. if (fHandle2 != nullptr)
  1133. {
  1134. try {
  1135. fDescriptor->deactivate(fHandle2);
  1136. } catch(...) {}
  1137. }
  1138. }
  1139. }
  1140. const EngineEvent& findNextEvent()
  1141. {
  1142. if (fMidiIn.count == 1)
  1143. {
  1144. NativePluginMidiInData::MultiPortData& multiportData(fMidiIn.multiportData[0]);
  1145. if (multiportData.usedIndex == multiportData.cachedEventCount)
  1146. {
  1147. const uint32_t eventCount = pData->event.portIn->getEventCount();
  1148. CARLA_SAFE_ASSERT_INT2(eventCount == multiportData.cachedEventCount,
  1149. eventCount, multiportData.cachedEventCount);
  1150. return kNullEngineEvent;
  1151. }
  1152. return pData->event.portIn->getEvent(multiportData.usedIndex++);
  1153. }
  1154. uint32_t lowestSampleTime = 9999999;
  1155. uint32_t portMatching = 0;
  1156. bool found = false;
  1157. // process events in order for multiple ports
  1158. for (uint32_t m=0; m < fMidiIn.count; ++m)
  1159. {
  1160. CarlaEngineEventPort* const eventPort(fMidiIn.ports[m]);
  1161. NativePluginMidiInData::MultiPortData& multiportData(fMidiIn.multiportData[m]);
  1162. if (multiportData.usedIndex == multiportData.cachedEventCount)
  1163. continue;
  1164. const EngineEvent& event(eventPort->getEventUnchecked(multiportData.usedIndex));
  1165. if (event.time < lowestSampleTime)
  1166. {
  1167. lowestSampleTime = event.time;
  1168. portMatching = m;
  1169. found = true;
  1170. }
  1171. }
  1172. if (found)
  1173. {
  1174. CarlaEngineEventPort* const eventPort(fMidiIn.ports[portMatching]);
  1175. NativePluginMidiInData::MultiPortData& multiportData(fMidiIn.multiportData[portMatching]);
  1176. return eventPort->getEvent(multiportData.usedIndex++);
  1177. }
  1178. return kNullEngineEvent;
  1179. }
  1180. void process(const float** const audioIn, float** const audioOut, const float** const, float** const, const uint32_t frames) override
  1181. {
  1182. // --------------------------------------------------------------------------------------------------------
  1183. // Check if active
  1184. if (! pData->active)
  1185. {
  1186. // disable any output sound
  1187. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1188. carla_zeroFloats(audioOut[i], frames);
  1189. return;
  1190. }
  1191. fMidiEventInCount = fMidiEventOutCount = 0;
  1192. carla_zeroStructs(fMidiInEvents, kPluginMaxMidiEvents);
  1193. carla_zeroStructs(fMidiOutEvents, kPluginMaxMidiEvents);
  1194. // --------------------------------------------------------------------------------------------------------
  1195. // Check if needs reset
  1196. if (pData->needsReset)
  1197. {
  1198. if (pData->options & PLUGIN_OPTION_SEND_ALL_SOUND_OFF)
  1199. {
  1200. fMidiEventInCount = MAX_MIDI_CHANNELS*2;
  1201. for (uint8_t k=0, i=MAX_MIDI_CHANNELS; k < MAX_MIDI_CHANNELS; ++k)
  1202. {
  1203. fMidiInEvents[k].data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (k & MIDI_CHANNEL_BIT));
  1204. fMidiInEvents[k].data[1] = MIDI_CONTROL_ALL_NOTES_OFF;
  1205. fMidiInEvents[k].data[2] = 0;
  1206. fMidiInEvents[k].size = 3;
  1207. fMidiInEvents[k+i].data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (k & MIDI_CHANNEL_BIT));
  1208. fMidiInEvents[k+i].data[1] = MIDI_CONTROL_ALL_SOUND_OFF;
  1209. fMidiInEvents[k+i].data[2] = 0;
  1210. fMidiInEvents[k+i].size = 3;
  1211. }
  1212. }
  1213. else if (pData->ctrlChannel >= 0 && pData->ctrlChannel < MAX_MIDI_CHANNELS)
  1214. {
  1215. fMidiEventInCount = MAX_MIDI_NOTE;
  1216. for (uint8_t k=0; k < MAX_MIDI_NOTE; ++k)
  1217. {
  1218. fMidiInEvents[k].data[0] = uint8_t(MIDI_STATUS_NOTE_OFF | (pData->ctrlChannel & MIDI_CHANNEL_BIT));
  1219. fMidiInEvents[k].data[1] = k;
  1220. fMidiInEvents[k].data[2] = 0;
  1221. fMidiInEvents[k].size = 3;
  1222. }
  1223. }
  1224. pData->needsReset = false;
  1225. }
  1226. // --------------------------------------------------------------------------------------------------------
  1227. // Set TimeInfo
  1228. const EngineTimeInfo timeInfo(pData->engine->getTimeInfo());
  1229. fTimeInfo.playing = timeInfo.playing;
  1230. fTimeInfo.frame = timeInfo.frame;
  1231. fTimeInfo.usecs = timeInfo.usecs;
  1232. if (timeInfo.bbt.valid)
  1233. {
  1234. fTimeInfo.bbt.valid = true;
  1235. fTimeInfo.bbt.bar = timeInfo.bbt.bar;
  1236. fTimeInfo.bbt.beat = timeInfo.bbt.beat;
  1237. fTimeInfo.bbt.tick = timeInfo.bbt.tick;
  1238. fTimeInfo.bbt.barStartTick = timeInfo.bbt.barStartTick;
  1239. fTimeInfo.bbt.beatsPerBar = timeInfo.bbt.beatsPerBar;
  1240. fTimeInfo.bbt.beatType = timeInfo.bbt.beatType;
  1241. fTimeInfo.bbt.ticksPerBeat = timeInfo.bbt.ticksPerBeat;
  1242. fTimeInfo.bbt.beatsPerMinute = timeInfo.bbt.beatsPerMinute;
  1243. }
  1244. else
  1245. {
  1246. fTimeInfo.bbt.valid = false;
  1247. }
  1248. #if 0
  1249. // This test code has proven to be quite useful
  1250. // So I am leaving it behind, I might need it again..
  1251. if (pData->id == 1)
  1252. {
  1253. static int64_t last_frame = timeInfo.frame;
  1254. static int64_t last_dev_frame = 0;
  1255. static double last_val = timeInfo.bbt.barStartTick + ((timeInfo.bbt.beat-1) * timeInfo.bbt.ticksPerBeat) + timeInfo.bbt.tick;
  1256. static double last_dev_val = 0.0;
  1257. int64_t cur_frame = timeInfo.frame;
  1258. int64_t cur_dev_frame = cur_frame - last_frame;
  1259. double cur_val = timeInfo.bbt.barStartTick + ((timeInfo.bbt.beat-1) * timeInfo.bbt.ticksPerBeat) + timeInfo.bbt.tick;
  1260. double cur_dev_val = cur_val - last_val;
  1261. if (std::abs(last_dev_val - cur_dev_val) >= 0.0001 || last_dev_frame != cur_dev_frame)
  1262. {
  1263. carla_stdout("currently %u at %u => %f : DEV1: %li : DEV2: %f",
  1264. frames,
  1265. timeInfo.frame,
  1266. cur_val,
  1267. cur_dev_frame,
  1268. cur_dev_val);
  1269. }
  1270. last_val = cur_val;
  1271. last_dev_val = cur_dev_val;
  1272. last_frame = cur_frame;
  1273. last_dev_frame = cur_dev_frame;
  1274. }
  1275. #endif
  1276. // --------------------------------------------------------------------------------------------------------
  1277. // Event Input and Processing
  1278. if (pData->event.portIn != nullptr)
  1279. {
  1280. // ----------------------------------------------------------------------------------------------------
  1281. // MIDI Input (External)
  1282. if (pData->extNotes.mutex.tryLock())
  1283. {
  1284. ExternalMidiNote note = { 0, 0, 0 };
  1285. for (; fMidiEventInCount < kPluginMaxMidiEvents && ! pData->extNotes.data.isEmpty();)
  1286. {
  1287. note = pData->extNotes.data.getFirst(note, true);
  1288. CARLA_SAFE_ASSERT_CONTINUE(note.channel >= 0 && note.channel < MAX_MIDI_CHANNELS);
  1289. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1290. nativeEvent.data[0] = uint8_t((note.velo > 0 ? MIDI_STATUS_NOTE_ON : MIDI_STATUS_NOTE_OFF) | (note.channel & MIDI_CHANNEL_BIT));
  1291. nativeEvent.data[1] = note.note;
  1292. nativeEvent.data[2] = note.velo;
  1293. nativeEvent.size = 3;
  1294. }
  1295. pData->extNotes.mutex.unlock();
  1296. } // End of MIDI Input (External)
  1297. // ----------------------------------------------------------------------------------------------------
  1298. // Event Input (System)
  1299. #ifndef BUILD_BRIDGE
  1300. bool allNotesOffSent = false;
  1301. #endif
  1302. bool sampleAccurate = (pData->options & PLUGIN_OPTION_FIXED_BUFFERS) == 0;
  1303. uint32_t startTime = 0;
  1304. uint32_t timeOffset = 0;
  1305. uint32_t nextBankId;
  1306. if (pData->midiprog.current >= 0 && pData->midiprog.count > 0)
  1307. nextBankId = pData->midiprog.data[pData->midiprog.current].bank;
  1308. else
  1309. nextBankId = 0;
  1310. for (;;)
  1311. {
  1312. const EngineEvent& event(findNextEvent());
  1313. if (event.type == kEngineEventTypeNull)
  1314. break;
  1315. uint32_t eventTime = event.time;
  1316. CARLA_SAFE_ASSERT_UINT2_CONTINUE(eventTime < frames, eventTime, frames);
  1317. if (eventTime < timeOffset)
  1318. {
  1319. carla_stderr2("Timing error, eventTime:%u < timeOffset:%u for '%s'",
  1320. eventTime, timeOffset, pData->name);
  1321. eventTime = timeOffset;
  1322. }
  1323. if (sampleAccurate && eventTime > timeOffset)
  1324. {
  1325. if (processSingle(audioIn, audioOut, eventTime - timeOffset, timeOffset))
  1326. {
  1327. startTime = 0;
  1328. timeOffset = eventTime;
  1329. if (pData->midiprog.current >= 0 && pData->midiprog.count > 0)
  1330. nextBankId = pData->midiprog.data[pData->midiprog.current].bank;
  1331. else
  1332. nextBankId = 0;
  1333. if (fMidiEventInCount > 0)
  1334. {
  1335. carla_zeroStructs(fMidiInEvents, fMidiEventInCount);
  1336. fMidiEventInCount = 0;
  1337. }
  1338. if (fMidiEventOutCount > 0)
  1339. {
  1340. carla_zeroStructs(fMidiOutEvents, fMidiEventOutCount);
  1341. fMidiEventOutCount = 0;
  1342. }
  1343. }
  1344. else
  1345. startTime += timeOffset;
  1346. }
  1347. // Control change
  1348. switch (event.type)
  1349. {
  1350. case kEngineEventTypeNull:
  1351. break;
  1352. case kEngineEventTypeControl: {
  1353. const EngineControlEvent& ctrlEvent = event.ctrl;
  1354. switch (ctrlEvent.type)
  1355. {
  1356. case kEngineControlEventTypeNull:
  1357. break;
  1358. case kEngineControlEventTypeParameter: {
  1359. #ifndef BUILD_BRIDGE
  1360. // Control backend stuff
  1361. if (event.channel == pData->ctrlChannel)
  1362. {
  1363. float value;
  1364. if (MIDI_IS_CONTROL_BREATH_CONTROLLER(ctrlEvent.param) && (pData->hints & PLUGIN_CAN_DRYWET) > 0)
  1365. {
  1366. value = ctrlEvent.value;
  1367. setDryWetRT(value);
  1368. }
  1369. if (MIDI_IS_CONTROL_CHANNEL_VOLUME(ctrlEvent.param) && (pData->hints & PLUGIN_CAN_VOLUME) > 0)
  1370. {
  1371. value = ctrlEvent.value*127.0f/100.0f;
  1372. setVolumeRT(value);
  1373. }
  1374. if (MIDI_IS_CONTROL_BALANCE(ctrlEvent.param) && (pData->hints & PLUGIN_CAN_BALANCE) > 0)
  1375. {
  1376. float left, right;
  1377. value = ctrlEvent.value/0.5f - 1.0f;
  1378. if (value < 0.0f)
  1379. {
  1380. left = -1.0f;
  1381. right = (value*2.0f)+1.0f;
  1382. }
  1383. else if (value > 0.0f)
  1384. {
  1385. left = (value*2.0f)-1.0f;
  1386. right = 1.0f;
  1387. }
  1388. else
  1389. {
  1390. left = -1.0f;
  1391. right = 1.0f;
  1392. }
  1393. setBalanceLeftRT(left);
  1394. setBalanceRightRT(right);
  1395. }
  1396. }
  1397. #endif
  1398. // Control plugin parameters
  1399. for (uint32_t k=0; k < pData->param.count; ++k)
  1400. {
  1401. if (pData->param.data[k].midiChannel != event.channel)
  1402. continue;
  1403. if (pData->param.data[k].midiCC != ctrlEvent.param)
  1404. continue;
  1405. if (pData->param.data[k].type != PARAMETER_INPUT)
  1406. continue;
  1407. if ((pData->param.data[k].hints & PARAMETER_IS_AUTOMABLE) == 0)
  1408. continue;
  1409. float value;
  1410. if (pData->param.data[k].hints & PARAMETER_IS_BOOLEAN)
  1411. {
  1412. value = (ctrlEvent.value < 0.5f) ? pData->param.ranges[k].min : pData->param.ranges[k].max;
  1413. }
  1414. else
  1415. {
  1416. if (pData->param.data[k].hints & PARAMETER_IS_LOGARITHMIC)
  1417. value = pData->param.ranges[k].getUnnormalizedLogValue(ctrlEvent.value);
  1418. else
  1419. value = pData->param.ranges[k].getUnnormalizedValue(ctrlEvent.value);
  1420. if (pData->param.data[k].hints & PARAMETER_IS_INTEGER)
  1421. value = std::rint(value);
  1422. }
  1423. setParameterValueRT(k, value);
  1424. }
  1425. if ((pData->options & PLUGIN_OPTION_SEND_CONTROL_CHANGES) != 0 && ctrlEvent.param < MAX_MIDI_CONTROL)
  1426. {
  1427. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1428. continue;
  1429. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1430. carla_zeroStruct(nativeEvent);
  1431. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1432. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1433. nativeEvent.data[1] = uint8_t(ctrlEvent.param);
  1434. nativeEvent.data[2] = uint8_t(ctrlEvent.value*127.0f);
  1435. nativeEvent.size = 3;
  1436. }
  1437. break;
  1438. } // case kEngineControlEventTypeParameter
  1439. case kEngineControlEventTypeMidiBank:
  1440. if (pData->options & PLUGIN_OPTION_MAP_PROGRAM_CHANGES)
  1441. {
  1442. if (event.channel == pData->ctrlChannel)
  1443. nextBankId = ctrlEvent.param;
  1444. }
  1445. else if (pData->options & PLUGIN_OPTION_SEND_PROGRAM_CHANGES)
  1446. {
  1447. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1448. continue;
  1449. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1450. carla_zeroStruct(nativeEvent);
  1451. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1452. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1453. nativeEvent.data[1] = MIDI_CONTROL_BANK_SELECT;
  1454. nativeEvent.data[2] = uint8_t(ctrlEvent.param);
  1455. nativeEvent.size = 3;
  1456. }
  1457. break;
  1458. case kEngineControlEventTypeMidiProgram:
  1459. if (pData->options & PLUGIN_OPTION_MAP_PROGRAM_CHANGES)
  1460. {
  1461. if (event.channel < MAX_MIDI_CHANNELS)
  1462. {
  1463. const uint32_t nextProgramId(ctrlEvent.param);
  1464. for (uint32_t k=0; k < pData->midiprog.count; ++k)
  1465. {
  1466. if (pData->midiprog.data[k].bank == nextBankId && pData->midiprog.data[k].program == nextProgramId)
  1467. {
  1468. fDescriptor->set_midi_program(fHandle, event.channel, nextBankId, nextProgramId);
  1469. if (fHandle2 != nullptr)
  1470. fDescriptor->set_midi_program(fHandle2, event.channel, nextBankId, nextProgramId);
  1471. fCurMidiProgs[event.channel] = static_cast<int32_t>(k);
  1472. if (event.channel == pData->ctrlChannel)
  1473. pData->postponeRtEvent(kPluginPostRtEventMidiProgramChange, static_cast<int32_t>(k), 0, 0.0f);
  1474. break;
  1475. }
  1476. }
  1477. }
  1478. }
  1479. else if (pData->options & PLUGIN_OPTION_SEND_PROGRAM_CHANGES)
  1480. {
  1481. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1482. continue;
  1483. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1484. carla_zeroStruct(nativeEvent);
  1485. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1486. nativeEvent.data[0] = uint8_t(MIDI_STATUS_PROGRAM_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1487. nativeEvent.data[1] = uint8_t(ctrlEvent.param);
  1488. nativeEvent.size = 2;
  1489. }
  1490. break;
  1491. case kEngineControlEventTypeAllSoundOff:
  1492. if (pData->options & PLUGIN_OPTION_SEND_ALL_SOUND_OFF)
  1493. {
  1494. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1495. continue;
  1496. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1497. carla_zeroStruct(nativeEvent);
  1498. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1499. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1500. nativeEvent.data[1] = MIDI_CONTROL_ALL_SOUND_OFF;
  1501. nativeEvent.data[2] = 0;
  1502. nativeEvent.size = 3;
  1503. }
  1504. break;
  1505. case kEngineControlEventTypeAllNotesOff:
  1506. if (pData->options & PLUGIN_OPTION_SEND_ALL_SOUND_OFF)
  1507. {
  1508. #ifndef BUILD_BRIDGE
  1509. if (event.channel == pData->ctrlChannel && ! allNotesOffSent)
  1510. {
  1511. allNotesOffSent = true;
  1512. sendMidiAllNotesOffToCallback();
  1513. }
  1514. #endif
  1515. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1516. continue;
  1517. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1518. carla_zeroStruct(nativeEvent);
  1519. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1520. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1521. nativeEvent.data[1] = MIDI_CONTROL_ALL_NOTES_OFF;
  1522. nativeEvent.data[2] = 0;
  1523. nativeEvent.size = 3;
  1524. }
  1525. break;
  1526. }
  1527. break;
  1528. }
  1529. case kEngineEventTypeMidi: {
  1530. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1531. continue;
  1532. const EngineMidiEvent& midiEvent(event.midi);
  1533. if (midiEvent.size > 4)
  1534. continue;
  1535. #ifdef CARLA_PROPER_CPP11_SUPPORT
  1536. static_assert(4 <= EngineMidiEvent::kDataSize, "Incorrect data");
  1537. #endif
  1538. uint8_t status = uint8_t(MIDI_GET_STATUS_FROM_DATA(midiEvent.data));
  1539. if (status == MIDI_STATUS_CHANNEL_PRESSURE && (pData->options & PLUGIN_OPTION_SEND_CHANNEL_PRESSURE) == 0)
  1540. continue;
  1541. if (status == MIDI_STATUS_CONTROL_CHANGE && (pData->options & PLUGIN_OPTION_SEND_CONTROL_CHANGES) == 0)
  1542. continue;
  1543. if (status == MIDI_STATUS_POLYPHONIC_AFTERTOUCH && (pData->options & PLUGIN_OPTION_SEND_NOTE_AFTERTOUCH) == 0)
  1544. continue;
  1545. if (status == MIDI_STATUS_PITCH_WHEEL_CONTROL && (pData->options & PLUGIN_OPTION_SEND_PITCHBEND) == 0)
  1546. continue;
  1547. // Fix bad note-off
  1548. if (status == MIDI_STATUS_NOTE_ON && midiEvent.data[2] == 0)
  1549. status = MIDI_STATUS_NOTE_OFF;
  1550. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1551. carla_zeroStruct(nativeEvent);
  1552. nativeEvent.port = midiEvent.port;
  1553. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1554. nativeEvent.size = midiEvent.size;
  1555. nativeEvent.data[0] = uint8_t(status | (event.channel & MIDI_CHANNEL_BIT));
  1556. nativeEvent.data[1] = midiEvent.size >= 2 ? midiEvent.data[1] : 0;
  1557. nativeEvent.data[2] = midiEvent.size >= 3 ? midiEvent.data[2] : 0;
  1558. nativeEvent.data[3] = midiEvent.size == 4 ? midiEvent.data[3] : 0;
  1559. if (status == MIDI_STATUS_NOTE_ON)
  1560. pData->postponeRtEvent(kPluginPostRtEventNoteOn, event.channel, midiEvent.data[1], midiEvent.data[2]);
  1561. else if (status == MIDI_STATUS_NOTE_OFF)
  1562. pData->postponeRtEvent(kPluginPostRtEventNoteOff, event.channel, midiEvent.data[1], 0.0f);
  1563. } break;
  1564. } // switch (event.type)
  1565. }
  1566. pData->postRtEvents.trySplice();
  1567. if (frames > timeOffset)
  1568. processSingle(audioIn, audioOut, frames - timeOffset, timeOffset);
  1569. } // End of Event Input and Processing
  1570. // --------------------------------------------------------------------------------------------------------
  1571. // Plugin processing (no events)
  1572. else
  1573. {
  1574. processSingle(audioIn, audioOut, frames, 0);
  1575. } // End of Plugin processing (no events)
  1576. #ifndef BUILD_BRIDGE
  1577. // --------------------------------------------------------------------------------------------------------
  1578. // Control Output
  1579. if (pData->event.portOut != nullptr)
  1580. {
  1581. float value, curValue;
  1582. for (uint32_t k=0; k < pData->param.count; ++k)
  1583. {
  1584. if (pData->param.data[k].type != PARAMETER_OUTPUT)
  1585. continue;
  1586. curValue = fDescriptor->get_parameter_value(fHandle, k);
  1587. pData->param.ranges[k].fixValue(curValue);
  1588. if (pData->param.data[k].midiCC > 0)
  1589. {
  1590. value = pData->param.ranges[k].getNormalizedValue(curValue);
  1591. pData->event.portOut->writeControlEvent(0, pData->param.data[k].midiChannel, kEngineControlEventTypeParameter, static_cast<uint16_t>(pData->param.data[k].midiCC), value);
  1592. }
  1593. }
  1594. } // End of Control Output
  1595. #endif
  1596. }
  1597. bool processSingle(const float** const audioIn, float** const audioOut, const uint32_t frames, const uint32_t timeOffset)
  1598. {
  1599. CARLA_SAFE_ASSERT_RETURN(frames > 0, false);
  1600. if (pData->audioIn.count > 0)
  1601. {
  1602. CARLA_SAFE_ASSERT_RETURN(audioIn != nullptr, false);
  1603. }
  1604. if (pData->audioOut.count > 0)
  1605. {
  1606. CARLA_SAFE_ASSERT_RETURN(audioOut != nullptr, false);
  1607. }
  1608. // --------------------------------------------------------------------------------------------------------
  1609. // Try lock, silence otherwise
  1610. if (fIsOffline)
  1611. {
  1612. pData->singleMutex.lock();
  1613. }
  1614. else if (! pData->singleMutex.tryLock())
  1615. {
  1616. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1617. {
  1618. for (uint32_t k=0; k < frames; ++k)
  1619. audioOut[i][k+timeOffset] = 0.0f;
  1620. }
  1621. return false;
  1622. }
  1623. // --------------------------------------------------------------------------------------------------------
  1624. // Set audio buffers
  1625. for (uint32_t i=0; i < pData->audioIn.count; ++i)
  1626. carla_copyFloats(fAudioInBuffers[i], audioIn[i]+timeOffset, frames);
  1627. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1628. carla_zeroFloats(fAudioOutBuffers[i], frames);
  1629. // --------------------------------------------------------------------------------------------------------
  1630. // Run plugin
  1631. fIsProcessing = true;
  1632. if (fHandle2 == nullptr)
  1633. {
  1634. fDescriptor->process(fHandle, fAudioInBuffers, fAudioOutBuffers, frames, fMidiInEvents, fMidiEventInCount);
  1635. }
  1636. else
  1637. {
  1638. fDescriptor->process(fHandle,
  1639. (pData->audioIn.count > 0) ? &fAudioInBuffers[0] : nullptr,
  1640. (pData->audioOut.count > 0) ? &fAudioOutBuffers[0] : nullptr,
  1641. frames, fMidiInEvents, fMidiEventInCount);
  1642. fDescriptor->process(fHandle2,
  1643. (pData->audioIn.count > 0) ? &fAudioInBuffers[1] : nullptr,
  1644. (pData->audioOut.count > 0) ? &fAudioOutBuffers[1] : nullptr,
  1645. frames, fMidiInEvents, fMidiEventInCount);
  1646. }
  1647. fIsProcessing = false;
  1648. if (fTimeInfo.playing)
  1649. fTimeInfo.frame += frames;
  1650. #ifndef BUILD_BRIDGE_ALTERNATIVE_ARCH
  1651. // --------------------------------------------------------------------------------------------------------
  1652. // Post-processing (dry/wet, volume and balance)
  1653. {
  1654. const bool doDryWet = (pData->hints & PLUGIN_CAN_DRYWET) != 0 && carla_isNotEqual(pData->postProc.dryWet, 1.0f);
  1655. const bool doBalance = (pData->hints & PLUGIN_CAN_BALANCE) != 0 && ! (carla_isEqual(pData->postProc.balanceLeft, -1.0f) && carla_isEqual(pData->postProc.balanceRight, 1.0f));
  1656. bool isPair;
  1657. float bufValue, oldBufLeft[doBalance ? frames : 1];
  1658. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1659. {
  1660. // Dry/Wet
  1661. if (doDryWet)
  1662. {
  1663. for (uint32_t k=0; k < frames; ++k)
  1664. {
  1665. bufValue = fAudioInBuffers[(pData->audioIn.count == 1) ? 0 : i][k];
  1666. fAudioOutBuffers[i][k] = (fAudioOutBuffers[i][k] * pData->postProc.dryWet) + (bufValue * (1.0f - pData->postProc.dryWet));
  1667. }
  1668. }
  1669. // Balance
  1670. if (doBalance)
  1671. {
  1672. isPair = (i % 2 == 0);
  1673. if (isPair)
  1674. {
  1675. CARLA_ASSERT(i+1 < pData->audioOut.count);
  1676. carla_copyFloats(oldBufLeft, fAudioOutBuffers[i], frames);
  1677. }
  1678. float balRangeL = (pData->postProc.balanceLeft + 1.0f)/2.0f;
  1679. float balRangeR = (pData->postProc.balanceRight + 1.0f)/2.0f;
  1680. for (uint32_t k=0; k < frames; ++k)
  1681. {
  1682. if (isPair)
  1683. {
  1684. // left
  1685. fAudioOutBuffers[i][k] = oldBufLeft[k] * (1.0f - balRangeL);
  1686. fAudioOutBuffers[i][k] += fAudioOutBuffers[i+1][k] * (1.0f - balRangeR);
  1687. }
  1688. else
  1689. {
  1690. // right
  1691. fAudioOutBuffers[i][k] = fAudioOutBuffers[i][k] * balRangeR;
  1692. fAudioOutBuffers[i][k] += oldBufLeft[k] * balRangeL;
  1693. }
  1694. }
  1695. }
  1696. // Volume (and buffer copy)
  1697. {
  1698. for (uint32_t k=0; k < frames; ++k)
  1699. audioOut[i][k+timeOffset] = fAudioOutBuffers[i][k] * pData->postProc.volume;
  1700. }
  1701. }
  1702. } // End of Post-processing
  1703. #else
  1704. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1705. {
  1706. for (uint32_t k=0; k < frames; ++k)
  1707. audioOut[i][k+timeOffset] = fAudioOutBuffers[i][k];
  1708. }
  1709. #endif
  1710. // --------------------------------------------------------------------------------------------------------
  1711. // MIDI Output
  1712. if (pData->event.portOut != nullptr)
  1713. {
  1714. for (uint32_t k = 0; k < fMidiEventOutCount; ++k)
  1715. {
  1716. const uint8_t channel = uint8_t(MIDI_GET_CHANNEL_FROM_DATA(fMidiOutEvents[k].data));
  1717. const uint8_t port = fMidiOutEvents[k].port;
  1718. if (fMidiOut.count > 1 && port < fMidiOut.count)
  1719. fMidiOut.ports[port]->writeMidiEvent(fMidiOutEvents[k].time+timeOffset, channel, fMidiOutEvents[k].size, fMidiOutEvents[k].data);
  1720. else
  1721. pData->event.portOut->writeMidiEvent(fMidiOutEvents[k].time+timeOffset, channel, fMidiOutEvents[k].size, fMidiOutEvents[k].data);
  1722. }
  1723. }
  1724. // --------------------------------------------------------------------------------------------------------
  1725. pData->singleMutex.unlock();
  1726. return true;
  1727. }
  1728. void bufferSizeChanged(const uint32_t newBufferSize) override
  1729. {
  1730. CARLA_ASSERT_INT(newBufferSize > 0, newBufferSize);
  1731. carla_debug("CarlaPluginNative::bufferSizeChanged(%i)", newBufferSize);
  1732. for (uint32_t i=0; i < pData->audioIn.count; ++i)
  1733. {
  1734. if (fAudioInBuffers[i] != nullptr)
  1735. delete[] fAudioInBuffers[i];
  1736. fAudioInBuffers[i] = new float[newBufferSize];
  1737. }
  1738. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1739. {
  1740. if (fAudioOutBuffers[i] != nullptr)
  1741. delete[] fAudioOutBuffers[i];
  1742. fAudioOutBuffers[i] = new float[newBufferSize];
  1743. }
  1744. if (fCurBufferSize == newBufferSize)
  1745. return;
  1746. fCurBufferSize = newBufferSize;
  1747. if (fDescriptor != nullptr && fDescriptor->dispatcher != nullptr)
  1748. {
  1749. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_BUFFER_SIZE_CHANGED, 0, static_cast<intptr_t>(newBufferSize), nullptr, 0.0f);
  1750. if (fHandle2 != nullptr)
  1751. fDescriptor->dispatcher(fHandle2, NATIVE_PLUGIN_OPCODE_BUFFER_SIZE_CHANGED, 0, static_cast<intptr_t>(newBufferSize), nullptr, 0.0f);
  1752. }
  1753. }
  1754. void sampleRateChanged(const double newSampleRate) override
  1755. {
  1756. CARLA_ASSERT_INT(newSampleRate > 0.0, newSampleRate);
  1757. carla_debug("CarlaPluginNative::sampleRateChanged(%g)", newSampleRate);
  1758. if (carla_isEqual(fCurSampleRate, newSampleRate))
  1759. return;
  1760. fCurSampleRate = newSampleRate;
  1761. if (fDescriptor != nullptr && fDescriptor->dispatcher != nullptr)
  1762. {
  1763. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_SAMPLE_RATE_CHANGED, 0, 0, nullptr, float(newSampleRate));
  1764. if (fHandle2 != nullptr)
  1765. fDescriptor->dispatcher(fHandle2, NATIVE_PLUGIN_OPCODE_SAMPLE_RATE_CHANGED, 0, 0, nullptr, float(newSampleRate));
  1766. }
  1767. }
  1768. void offlineModeChanged(const bool isOffline) override
  1769. {
  1770. if (fIsOffline == isOffline)
  1771. return;
  1772. fIsOffline = isOffline;
  1773. if (fDescriptor != nullptr && fDescriptor->dispatcher != nullptr)
  1774. {
  1775. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_OFFLINE_CHANGED, 0, isOffline ? 1 : 0, nullptr, 0.0f);
  1776. if (fHandle2 != nullptr)
  1777. fDescriptor->dispatcher(fHandle2, NATIVE_PLUGIN_OPCODE_OFFLINE_CHANGED, 0, isOffline ? 1 : 0, nullptr, 0.0f);
  1778. }
  1779. }
  1780. // -------------------------------------------------------------------
  1781. // Plugin buffers
  1782. void initBuffers() const noexcept override
  1783. {
  1784. CarlaPlugin::initBuffers();
  1785. fMidiIn.initBuffers(pData->event.portIn);
  1786. fMidiOut.initBuffers();
  1787. }
  1788. void clearBuffers() noexcept override
  1789. {
  1790. carla_debug("CarlaPluginNative::clearBuffers() - start");
  1791. if (fAudioInBuffers != nullptr)
  1792. {
  1793. for (uint32_t i=0; i < pData->audioIn.count; ++i)
  1794. {
  1795. if (fAudioInBuffers[i] != nullptr)
  1796. {
  1797. delete[] fAudioInBuffers[i];
  1798. fAudioInBuffers[i] = nullptr;
  1799. }
  1800. }
  1801. delete[] fAudioInBuffers;
  1802. fAudioInBuffers = nullptr;
  1803. }
  1804. if (fAudioOutBuffers != nullptr)
  1805. {
  1806. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1807. {
  1808. if (fAudioOutBuffers[i] != nullptr)
  1809. {
  1810. delete[] fAudioOutBuffers[i];
  1811. fAudioOutBuffers[i] = nullptr;
  1812. }
  1813. }
  1814. delete[] fAudioOutBuffers;
  1815. fAudioOutBuffers = nullptr;
  1816. }
  1817. if (fMidiIn.count > 1)
  1818. pData->event.portIn = nullptr;
  1819. if (fMidiOut.count > 1)
  1820. pData->event.portOut = nullptr;
  1821. fMidiIn.clear();
  1822. fMidiOut.clear();
  1823. CarlaPlugin::clearBuffers();
  1824. carla_debug("CarlaPluginNative::clearBuffers() - end");
  1825. }
  1826. // -------------------------------------------------------------------
  1827. // Post-poned UI Stuff
  1828. void uiParameterChange(const uint32_t index, const float value) noexcept override
  1829. {
  1830. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1831. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1832. CARLA_SAFE_ASSERT_RETURN(index < pData->param.count,);
  1833. if (! fIsUiVisible)
  1834. return;
  1835. if (fDescriptor->ui_set_parameter_value != nullptr)
  1836. fDescriptor->ui_set_parameter_value(fHandle, index, value);
  1837. }
  1838. void uiMidiProgramChange(const uint32_t index) noexcept override
  1839. {
  1840. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1841. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1842. CARLA_SAFE_ASSERT_RETURN(index < pData->midiprog.count,);
  1843. if (! fIsUiVisible)
  1844. return;
  1845. if (index >= pData->midiprog.count)
  1846. return;
  1847. if (fDescriptor->ui_set_midi_program != nullptr)
  1848. fDescriptor->ui_set_midi_program(fHandle, 0, pData->midiprog.data[index].bank, pData->midiprog.data[index].program);
  1849. }
  1850. void uiNoteOn(const uint8_t channel, const uint8_t note, const uint8_t velo) noexcept override
  1851. {
  1852. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1853. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1854. CARLA_SAFE_ASSERT_RETURN(channel < MAX_MIDI_CHANNELS,);
  1855. CARLA_SAFE_ASSERT_RETURN(note < MAX_MIDI_NOTE,);
  1856. CARLA_SAFE_ASSERT_RETURN(velo > 0 && velo < MAX_MIDI_VALUE,);
  1857. if (! fIsUiVisible)
  1858. return;
  1859. // TODO
  1860. }
  1861. void uiNoteOff(const uint8_t channel, const uint8_t note) noexcept override
  1862. {
  1863. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1864. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1865. CARLA_SAFE_ASSERT_RETURN(channel < MAX_MIDI_CHANNELS,);
  1866. CARLA_SAFE_ASSERT_RETURN(note < MAX_MIDI_NOTE,);
  1867. if (! fIsUiVisible)
  1868. return;
  1869. if (fDescriptor == nullptr || fHandle == nullptr)
  1870. return;
  1871. // TODO
  1872. }
  1873. // -------------------------------------------------------------------
  1874. protected:
  1875. const NativeTimeInfo* handleGetTimeInfo() const noexcept
  1876. {
  1877. CARLA_SAFE_ASSERT_RETURN(fIsProcessing, nullptr);
  1878. return &fTimeInfo;
  1879. }
  1880. bool handleWriteMidiEvent(const NativeMidiEvent* const event)
  1881. {
  1882. CARLA_SAFE_ASSERT_RETURN(pData->enabled, false);
  1883. CARLA_SAFE_ASSERT_RETURN(fIsProcessing, false);
  1884. CARLA_SAFE_ASSERT_RETURN(fMidiOut.count > 0 || pData->event.portOut != nullptr, false);
  1885. CARLA_SAFE_ASSERT_RETURN(event != nullptr, false);
  1886. CARLA_SAFE_ASSERT_RETURN(event->data[0] != 0, false);
  1887. if (fMidiEventOutCount == kPluginMaxMidiEvents)
  1888. {
  1889. carla_stdout("CarlaPluginNative::handleWriteMidiEvent(%p) - buffer full", event);
  1890. return false;
  1891. }
  1892. std::memcpy(&fMidiOutEvents[fMidiEventOutCount++], event, sizeof(NativeMidiEvent));
  1893. return true;
  1894. }
  1895. void handleUiParameterChanged(const uint32_t index, const float value)
  1896. {
  1897. setParameterValue(index, value, false, true, true);
  1898. }
  1899. void handleUiCustomDataChanged(const char* const key, const char* const value)
  1900. {
  1901. setCustomData(CUSTOM_DATA_TYPE_STRING, key, value, false);
  1902. }
  1903. void handleUiClosed()
  1904. {
  1905. pData->engine->callback(ENGINE_CALLBACK_UI_STATE_CHANGED, pData->id, 0, 0, 0.0f, nullptr);
  1906. fIsUiVisible = false;
  1907. }
  1908. const char* handleUiOpenFile(const bool isDir, const char* const title, const char* const filter)
  1909. {
  1910. return pData->engine->runFileCallback(FILE_CALLBACK_OPEN, isDir, title, filter);
  1911. }
  1912. const char* handleUiSaveFile(const bool isDir, const char* const title, const char* const filter)
  1913. {
  1914. return pData->engine->runFileCallback(FILE_CALLBACK_SAVE, isDir, title, filter);
  1915. }
  1916. intptr_t handleDispatcher(const NativeHostDispatcherOpcode opcode, const int32_t index, const intptr_t value, void* const ptr, const float opt)
  1917. {
  1918. carla_debug("CarlaPluginNative::handleDispatcher(%i, %i, " P_INTPTR ", %p, %f)", opcode, index, value, ptr, opt);
  1919. intptr_t ret = 0;
  1920. switch (opcode)
  1921. {
  1922. case NATIVE_HOST_OPCODE_NULL:
  1923. break;
  1924. case NATIVE_HOST_OPCODE_UPDATE_PARAMETER:
  1925. // TODO
  1926. pData->engine->callback(ENGINE_CALLBACK_UPDATE, pData->id, -1, 0, 0.0f, nullptr);
  1927. break;
  1928. case NATIVE_HOST_OPCODE_UPDATE_MIDI_PROGRAM:
  1929. // TODO
  1930. pData->engine->callback(ENGINE_CALLBACK_UPDATE, pData->id, -1, 0, 0.0f, nullptr);
  1931. break;
  1932. case NATIVE_HOST_OPCODE_RELOAD_PARAMETERS:
  1933. reload(); // FIXME
  1934. pData->engine->callback(ENGINE_CALLBACK_RELOAD_PARAMETERS, pData->id, -1, 0, 0.0f, nullptr);
  1935. break;
  1936. case NATIVE_HOST_OPCODE_RELOAD_MIDI_PROGRAMS:
  1937. reloadPrograms(false);
  1938. pData->engine->callback(ENGINE_CALLBACK_RELOAD_PROGRAMS, pData->id, -1, 0, 0.0f, nullptr);
  1939. break;
  1940. case NATIVE_HOST_OPCODE_RELOAD_ALL:
  1941. reload();
  1942. pData->engine->callback(ENGINE_CALLBACK_RELOAD_ALL, pData->id, -1, 0, 0.0f, nullptr);
  1943. break;
  1944. case NATIVE_HOST_OPCODE_UI_UNAVAILABLE:
  1945. pData->engine->callback(ENGINE_CALLBACK_UI_STATE_CHANGED, pData->id, -1, 0, 0.0f, nullptr);
  1946. fIsUiAvailable = false;
  1947. break;
  1948. case NATIVE_HOST_OPCODE_HOST_IDLE:
  1949. pData->engine->callback(ENGINE_CALLBACK_IDLE, 0, 0, 0, 0.0f, nullptr);
  1950. break;
  1951. case NATIVE_HOST_OPCODE_INTERNAL_PLUGIN:
  1952. ret = 1;
  1953. break;
  1954. }
  1955. return ret;
  1956. // unused for now
  1957. (void)index;
  1958. (void)value;
  1959. (void)ptr;
  1960. (void)opt;
  1961. }
  1962. // -------------------------------------------------------------------
  1963. public:
  1964. void* getNativeHandle() const noexcept override
  1965. {
  1966. return fHandle;
  1967. }
  1968. const void* getNativeDescriptor() const noexcept override
  1969. {
  1970. return fDescriptor;
  1971. }
  1972. // -------------------------------------------------------------------
  1973. bool init(const char* const name, const char* const label, const uint options)
  1974. {
  1975. CARLA_SAFE_ASSERT_RETURN(pData->engine != nullptr, false);
  1976. // ---------------------------------------------------------------
  1977. // first checks
  1978. if (pData->client != nullptr)
  1979. {
  1980. pData->engine->setLastError("Plugin client is already registered");
  1981. return false;
  1982. }
  1983. if (label == nullptr || label[0] == '\0')
  1984. {
  1985. pData->engine->setLastError("null label");
  1986. return false;
  1987. }
  1988. // ---------------------------------------------------------------
  1989. // get descriptor that matches label
  1990. sPluginInitializer.initIfNeeded();
  1991. for (LinkedList<const NativePluginDescriptor*>::Itenerator it = gPluginDescriptors.begin2(); it.valid(); it.next())
  1992. {
  1993. fDescriptor = it.getValue(nullptr);
  1994. CARLA_SAFE_ASSERT_BREAK(fDescriptor != nullptr);
  1995. carla_debug("Check vs \"%s\"", fDescriptor->label);
  1996. if (fDescriptor->label != nullptr && std::strcmp(fDescriptor->label, label) == 0)
  1997. break;
  1998. fDescriptor = nullptr;
  1999. }
  2000. if (fDescriptor == nullptr)
  2001. {
  2002. pData->engine->setLastError("Invalid internal plugin");
  2003. return false;
  2004. }
  2005. // ---------------------------------------------------------------
  2006. // set icon
  2007. if (std::strcmp(fDescriptor->label, "audiofile") == 0)
  2008. pData->iconName = carla_strdup_safe("file");
  2009. else if (std::strcmp(fDescriptor->label, "midifile") == 0)
  2010. pData->iconName = carla_strdup_safe("file");
  2011. // ---------------------------------------------------------------
  2012. // get info
  2013. if (name != nullptr && name[0] != '\0')
  2014. pData->name = pData->engine->getUniquePluginName(name);
  2015. else if (fDescriptor->name != nullptr && fDescriptor->name[0] != '\0')
  2016. pData->name = pData->engine->getUniquePluginName(fDescriptor->name);
  2017. else
  2018. pData->name = pData->engine->getUniquePluginName(label);
  2019. {
  2020. CARLA_ASSERT(fHost.uiName == nullptr);
  2021. char uiName[std::strlen(pData->name)+6+1];
  2022. std::strcpy(uiName, pData->name);
  2023. std::strcat(uiName, " (GUI)");
  2024. fHost.uiName = carla_strdup(uiName);
  2025. }
  2026. // ---------------------------------------------------------------
  2027. // register client
  2028. pData->client = pData->engine->addClient(this);
  2029. if (pData->client == nullptr || ! pData->client->isOk())
  2030. {
  2031. pData->engine->setLastError("Failed to register plugin client");
  2032. return false;
  2033. }
  2034. // ---------------------------------------------------------------
  2035. // initialize plugin
  2036. fHandle = fDescriptor->instantiate(&fHost);
  2037. if (fHandle == nullptr)
  2038. {
  2039. pData->engine->setLastError("Plugin failed to initialize");
  2040. return false;
  2041. }
  2042. // ---------------------------------------------------------------
  2043. // set default options
  2044. bool hasMidiProgs = false;
  2045. if (fDescriptor->get_midi_program_count != nullptr)
  2046. {
  2047. try {
  2048. hasMidiProgs = fDescriptor->get_midi_program_count(fHandle) > 0;
  2049. } catch (...) {}
  2050. }
  2051. pData->options = 0x0;
  2052. if (fDescriptor->hints & NATIVE_PLUGIN_NEEDS_FIXED_BUFFERS)
  2053. pData->options |= PLUGIN_OPTION_FIXED_BUFFERS;
  2054. else if (options & PLUGIN_OPTION_FIXED_BUFFERS)
  2055. pData->options |= PLUGIN_OPTION_FIXED_BUFFERS;
  2056. if (pData->engine->getOptions().forceStereo)
  2057. pData->options |= PLUGIN_OPTION_FORCE_STEREO;
  2058. else if (options & PLUGIN_OPTION_FORCE_STEREO)
  2059. pData->options |= PLUGIN_OPTION_FORCE_STEREO;
  2060. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_CHANNEL_PRESSURE)
  2061. pData->options |= PLUGIN_OPTION_SEND_CHANNEL_PRESSURE;
  2062. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_NOTE_AFTERTOUCH)
  2063. pData->options |= PLUGIN_OPTION_SEND_NOTE_AFTERTOUCH;
  2064. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_PITCHBEND)
  2065. pData->options |= PLUGIN_OPTION_SEND_PITCHBEND;
  2066. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_ALL_SOUND_OFF)
  2067. pData->options |= PLUGIN_OPTION_SEND_ALL_SOUND_OFF;
  2068. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_CONTROL_CHANGES)
  2069. {
  2070. if (options & PLUGIN_OPTION_SEND_CONTROL_CHANGES)
  2071. pData->options |= PLUGIN_OPTION_SEND_CONTROL_CHANGES;
  2072. }
  2073. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_PROGRAM_CHANGES)
  2074. {
  2075. CARLA_SAFE_ASSERT(! hasMidiProgs);
  2076. pData->options |= PLUGIN_OPTION_SEND_PROGRAM_CHANGES;
  2077. }
  2078. else if (hasMidiProgs)
  2079. pData->options |= PLUGIN_OPTION_MAP_PROGRAM_CHANGES;
  2080. return true;
  2081. }
  2082. private:
  2083. NativePluginHandle fHandle;
  2084. NativePluginHandle fHandle2;
  2085. NativeHostDescriptor fHost;
  2086. const NativePluginDescriptor* fDescriptor;
  2087. bool fIsProcessing;
  2088. bool fIsOffline;
  2089. bool fIsUiAvailable;
  2090. bool fIsUiVisible;
  2091. float** fAudioInBuffers;
  2092. float** fAudioOutBuffers;
  2093. uint32_t fMidiEventInCount;
  2094. uint32_t fMidiEventOutCount;
  2095. NativeMidiEvent fMidiInEvents[kPluginMaxMidiEvents];
  2096. NativeMidiEvent fMidiOutEvents[kPluginMaxMidiEvents];
  2097. int32_t fCurMidiProgs[MAX_MIDI_CHANNELS];
  2098. uint32_t fCurBufferSize;
  2099. double fCurSampleRate;
  2100. NativePluginMidiInData fMidiIn;
  2101. NativePluginMidiOutData fMidiOut;
  2102. NativeTimeInfo fTimeInfo;
  2103. // -------------------------------------------------------------------
  2104. #define handlePtr ((CarlaPluginNative*)handle)
  2105. static uint32_t carla_host_get_buffer_size(NativeHostHandle handle) noexcept
  2106. {
  2107. return handlePtr->fCurBufferSize;
  2108. }
  2109. static double carla_host_get_sample_rate(NativeHostHandle handle) noexcept
  2110. {
  2111. return handlePtr->fCurSampleRate;
  2112. }
  2113. static bool carla_host_is_offline(NativeHostHandle handle) noexcept
  2114. {
  2115. return handlePtr->fIsOffline;
  2116. }
  2117. static const NativeTimeInfo* carla_host_get_time_info(NativeHostHandle handle) noexcept
  2118. {
  2119. return handlePtr->handleGetTimeInfo();
  2120. }
  2121. static bool carla_host_write_midi_event(NativeHostHandle handle, const NativeMidiEvent* event)
  2122. {
  2123. return handlePtr->handleWriteMidiEvent(event);
  2124. }
  2125. static void carla_host_ui_parameter_changed(NativeHostHandle handle, uint32_t index, float value)
  2126. {
  2127. handlePtr->handleUiParameterChanged(index, value);
  2128. }
  2129. static void carla_host_ui_custom_data_changed(NativeHostHandle handle, const char* key, const char* value)
  2130. {
  2131. handlePtr->handleUiCustomDataChanged(key, value);
  2132. }
  2133. static void carla_host_ui_closed(NativeHostHandle handle)
  2134. {
  2135. handlePtr->handleUiClosed();
  2136. }
  2137. static const char* carla_host_ui_open_file(NativeHostHandle handle, bool isDir, const char* title, const char* filter)
  2138. {
  2139. return handlePtr->handleUiOpenFile(isDir, title, filter);
  2140. }
  2141. static const char* carla_host_ui_save_file(NativeHostHandle handle, bool isDir, const char* title, const char* filter)
  2142. {
  2143. return handlePtr->handleUiSaveFile(isDir, title, filter);
  2144. }
  2145. static intptr_t carla_host_dispatcher(NativeHostHandle handle, NativeHostDispatcherOpcode opcode, int32_t index, intptr_t value, void* ptr, float opt)
  2146. {
  2147. return handlePtr->handleDispatcher(opcode, index, value, ptr, opt);
  2148. }
  2149. #undef handlePtr
  2150. CARLA_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR(CarlaPluginNative)
  2151. };
  2152. // -----------------------------------------------------------------------
  2153. CarlaPlugin* CarlaPlugin::newNative(const Initializer& init)
  2154. {
  2155. carla_debug("CarlaPlugin::newNative({%p, \"%s\", \"%s\", \"%s\", " P_INT64 "})", init.engine, init.filename, init.name, init.label, init.uniqueId);
  2156. CarlaPluginNative* const plugin(new CarlaPluginNative(init.engine, init.id));
  2157. if (! plugin->init(init.name, init.label, init.options))
  2158. {
  2159. delete plugin;
  2160. return nullptr;
  2161. }
  2162. return plugin;
  2163. }
  2164. // -----------------------------------------------------------------------
  2165. CARLA_BACKEND_END_NAMESPACE