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.

2726 lines
96KB

  1. /*
  2. * Carla Native Plugin
  3. * Copyright (C) 2012-2018 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. CARLA_EXTERN_C
  26. std::size_t carla_getNativePluginCount() noexcept;
  27. CARLA_EXTERN_C
  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] = 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. else if (max < min)
  907. min = max;
  908. if (carla_isEqual(min, max))
  909. {
  910. carla_stderr2("WARNING - Broken plugin parameter '%s': max == min", paramInfo->name);
  911. max = min + 0.1f;
  912. }
  913. // default value
  914. def = paramInfo->ranges.def;
  915. if (def < min)
  916. def = min;
  917. else if (def > max)
  918. def = max;
  919. if (paramInfo->hints & NATIVE_PARAMETER_USES_SAMPLE_RATE)
  920. {
  921. min *= sampleRate;
  922. max *= sampleRate;
  923. def *= sampleRate;
  924. pData->param.data[j].hints |= PARAMETER_USES_SAMPLERATE;
  925. }
  926. if (paramInfo->hints & NATIVE_PARAMETER_IS_BOOLEAN)
  927. {
  928. step = max - min;
  929. stepSmall = step;
  930. stepLarge = step;
  931. pData->param.data[j].hints |= PARAMETER_IS_BOOLEAN;
  932. }
  933. else if (paramInfo->hints & NATIVE_PARAMETER_IS_INTEGER)
  934. {
  935. step = 1.0f;
  936. stepSmall = 1.0f;
  937. stepLarge = 10.0f;
  938. pData->param.data[j].hints |= PARAMETER_IS_INTEGER;
  939. }
  940. else
  941. {
  942. float range = max - min;
  943. step = range/100.0f;
  944. stepSmall = range/1000.0f;
  945. stepLarge = range/10.0f;
  946. }
  947. if (paramInfo->hints & NATIVE_PARAMETER_IS_OUTPUT)
  948. {
  949. pData->param.data[j].type = PARAMETER_OUTPUT;
  950. needsCtrlOut = true;
  951. }
  952. else
  953. {
  954. pData->param.data[j].type = PARAMETER_INPUT;
  955. needsCtrlIn = true;
  956. }
  957. // extra parameter hints
  958. if (paramInfo->hints & NATIVE_PARAMETER_IS_ENABLED)
  959. pData->param.data[j].hints |= PARAMETER_IS_ENABLED;
  960. if (paramInfo->hints & NATIVE_PARAMETER_IS_AUTOMABLE)
  961. pData->param.data[j].hints |= PARAMETER_IS_AUTOMABLE;
  962. if (paramInfo->hints & NATIVE_PARAMETER_IS_LOGARITHMIC)
  963. pData->param.data[j].hints |= PARAMETER_IS_LOGARITHMIC;
  964. if (paramInfo->hints & NATIVE_PARAMETER_USES_SCALEPOINTS)
  965. pData->param.data[j].hints |= PARAMETER_USES_SCALEPOINTS;
  966. pData->param.ranges[j].min = min;
  967. pData->param.ranges[j].max = max;
  968. pData->param.ranges[j].def = def;
  969. pData->param.ranges[j].step = step;
  970. pData->param.ranges[j].stepSmall = stepSmall;
  971. pData->param.ranges[j].stepLarge = stepLarge;
  972. }
  973. if (needsCtrlIn || mIns == 1)
  974. {
  975. portName.clear();
  976. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  977. {
  978. portName = pData->name;
  979. portName += ":";
  980. }
  981. portName += "events-in";
  982. portName.truncate(portNameSize);
  983. pData->event.portIn = (CarlaEngineEventPort*)pData->client->addPort(kEnginePortTypeEvent, portName, true, 0);
  984. }
  985. if (needsCtrlOut || mOuts == 1)
  986. {
  987. portName.clear();
  988. if (processMode == ENGINE_PROCESS_MODE_SINGLE_CLIENT)
  989. {
  990. portName = pData->name;
  991. portName += ":";
  992. }
  993. portName += "events-out";
  994. portName.truncate(portNameSize);
  995. pData->event.portOut = (CarlaEngineEventPort*)pData->client->addPort(kEnginePortTypeEvent, portName, false, 0);
  996. }
  997. if (forcedStereoIn || forcedStereoOut)
  998. pData->options |= PLUGIN_OPTION_FORCE_STEREO;
  999. else
  1000. pData->options &= ~PLUGIN_OPTION_FORCE_STEREO;
  1001. // plugin hints
  1002. pData->hints = 0x0;
  1003. if (aOuts > 0 && (aIns == aOuts || aIns == 1))
  1004. pData->hints |= PLUGIN_CAN_DRYWET;
  1005. if (aOuts > 0)
  1006. pData->hints |= PLUGIN_CAN_VOLUME;
  1007. if (aOuts >= 2 && aOuts % 2 == 0)
  1008. pData->hints |= PLUGIN_CAN_BALANCE;
  1009. // native plugin hints
  1010. if (fDescriptor->hints & NATIVE_PLUGIN_IS_RTSAFE)
  1011. pData->hints |= PLUGIN_IS_RTSAFE;
  1012. if (fDescriptor->hints & NATIVE_PLUGIN_IS_SYNTH)
  1013. pData->hints |= PLUGIN_IS_SYNTH;
  1014. if (fDescriptor->hints & NATIVE_PLUGIN_HAS_UI)
  1015. pData->hints |= PLUGIN_HAS_CUSTOM_UI;
  1016. if (fDescriptor->hints & NATIVE_PLUGIN_NEEDS_FIXED_BUFFERS)
  1017. pData->hints |= PLUGIN_NEEDS_FIXED_BUFFERS;
  1018. if (fDescriptor->hints & NATIVE_PLUGIN_NEEDS_UI_MAIN_THREAD)
  1019. pData->hints |= PLUGIN_NEEDS_UI_MAIN_THREAD;
  1020. if (fDescriptor->hints & NATIVE_PLUGIN_USES_MULTI_PROGS)
  1021. pData->hints |= PLUGIN_USES_MULTI_PROGS;
  1022. // extra plugin hints
  1023. pData->extraHints = 0x0;
  1024. bufferSizeChanged(pData->engine->getBufferSize());
  1025. reloadPrograms(true);
  1026. if (pData->active)
  1027. activate();
  1028. carla_debug("CarlaPluginNative::reload() - end");
  1029. }
  1030. void reloadPrograms(const bool doInit) override
  1031. {
  1032. carla_debug("CarlaPluginNative::reloadPrograms(%s)", bool2str(doInit));
  1033. uint32_t i, oldCount = pData->midiprog.count;
  1034. const int32_t current = pData->midiprog.current;
  1035. // Delete old programs
  1036. pData->midiprog.clear();
  1037. // Query new programs
  1038. uint32_t count = 0;
  1039. if (fDescriptor->get_midi_program_count != nullptr && fDescriptor->get_midi_program_info != nullptr && fDescriptor->set_midi_program != nullptr)
  1040. count = fDescriptor->get_midi_program_count(fHandle);
  1041. if (count > 0)
  1042. {
  1043. pData->midiprog.createNew(count);
  1044. // Update data
  1045. for (i=0; i < count; ++i)
  1046. {
  1047. const NativeMidiProgram* const mpDesc(fDescriptor->get_midi_program_info(fHandle, i));
  1048. CARLA_SAFE_ASSERT_CONTINUE(mpDesc != nullptr);
  1049. pData->midiprog.data[i].bank = mpDesc->bank;
  1050. pData->midiprog.data[i].program = mpDesc->program;
  1051. pData->midiprog.data[i].name = carla_strdup(mpDesc->name);
  1052. }
  1053. }
  1054. #if defined(HAVE_LIBLO) && ! defined(BUILD_BRIDGE)
  1055. // Update OSC Names
  1056. if (pData->engine->isOscControlRegistered() && pData->id < pData->engine->getCurrentPluginCount())
  1057. {
  1058. pData->engine->oscSend_control_set_midi_program_count(pData->id, count);
  1059. for (i=0; i < count; ++i)
  1060. 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);
  1061. }
  1062. #endif
  1063. if (doInit)
  1064. {
  1065. if (count > 0)
  1066. setMidiProgram(0, false, false, false, true);
  1067. }
  1068. else
  1069. {
  1070. // Check if current program is invalid
  1071. bool programChanged = false;
  1072. if (count == oldCount+1)
  1073. {
  1074. // one midi program added, probably created by user
  1075. pData->midiprog.current = static_cast<int32_t>(oldCount);
  1076. programChanged = true;
  1077. }
  1078. else if (current < 0 && count > 0)
  1079. {
  1080. // programs exist now, but not before
  1081. pData->midiprog.current = 0;
  1082. programChanged = true;
  1083. }
  1084. else if (current >= 0 && count == 0)
  1085. {
  1086. // programs existed before, but not anymore
  1087. pData->midiprog.current = -1;
  1088. programChanged = true;
  1089. }
  1090. else if (current >= static_cast<int32_t>(count))
  1091. {
  1092. // current midi program > count
  1093. pData->midiprog.current = 0;
  1094. programChanged = true;
  1095. }
  1096. else
  1097. {
  1098. // no change
  1099. pData->midiprog.current = current;
  1100. }
  1101. if (programChanged)
  1102. setMidiProgram(pData->midiprog.current, true, true, true, false);
  1103. pData->engine->callback(ENGINE_CALLBACK_RELOAD_PROGRAMS, pData->id, 0, 0, 0.0f, nullptr);
  1104. }
  1105. }
  1106. // -------------------------------------------------------------------
  1107. // Plugin processing
  1108. void activate() noexcept override
  1109. {
  1110. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1111. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1112. if (fDescriptor->activate != nullptr)
  1113. {
  1114. try {
  1115. fDescriptor->activate(fHandle);
  1116. } catch(...) {}
  1117. if (fHandle2 != nullptr)
  1118. {
  1119. try {
  1120. fDescriptor->activate(fHandle2);
  1121. } catch(...) {}
  1122. }
  1123. }
  1124. }
  1125. void deactivate() noexcept override
  1126. {
  1127. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1128. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1129. if (fDescriptor->deactivate != nullptr)
  1130. {
  1131. try {
  1132. fDescriptor->deactivate(fHandle);
  1133. } catch(...) {}
  1134. if (fHandle2 != nullptr)
  1135. {
  1136. try {
  1137. fDescriptor->deactivate(fHandle2);
  1138. } catch(...) {}
  1139. }
  1140. }
  1141. }
  1142. const EngineEvent& findNextEvent()
  1143. {
  1144. if (fMidiIn.count == 1)
  1145. {
  1146. NativePluginMidiInData::MultiPortData& multiportData(fMidiIn.multiportData[0]);
  1147. if (multiportData.usedIndex == multiportData.cachedEventCount)
  1148. {
  1149. const uint32_t eventCount = pData->event.portIn->getEventCount();
  1150. CARLA_SAFE_ASSERT_INT2(eventCount == multiportData.cachedEventCount,
  1151. eventCount, multiportData.cachedEventCount);
  1152. return kNullEngineEvent;
  1153. }
  1154. return pData->event.portIn->getEvent(multiportData.usedIndex++);
  1155. }
  1156. uint32_t lowestSampleTime = 9999999;
  1157. uint32_t portMatching = 0;
  1158. bool found = false;
  1159. // process events in order for multiple ports
  1160. for (uint32_t m=0; m < fMidiIn.count; ++m)
  1161. {
  1162. CarlaEngineEventPort* const eventPort(fMidiIn.ports[m]);
  1163. NativePluginMidiInData::MultiPortData& multiportData(fMidiIn.multiportData[m]);
  1164. if (multiportData.usedIndex == multiportData.cachedEventCount)
  1165. continue;
  1166. const EngineEvent& event(eventPort->getEventUnchecked(multiportData.usedIndex));
  1167. if (event.time < lowestSampleTime)
  1168. {
  1169. lowestSampleTime = event.time;
  1170. portMatching = m;
  1171. found = true;
  1172. }
  1173. }
  1174. if (found)
  1175. {
  1176. CarlaEngineEventPort* const eventPort(fMidiIn.ports[portMatching]);
  1177. NativePluginMidiInData::MultiPortData& multiportData(fMidiIn.multiportData[portMatching]);
  1178. return eventPort->getEvent(multiportData.usedIndex++);
  1179. }
  1180. return kNullEngineEvent;
  1181. }
  1182. void process(const float** const audioIn, float** const audioOut, const float** const, float** const, const uint32_t frames) override
  1183. {
  1184. // --------------------------------------------------------------------------------------------------------
  1185. // Check if active
  1186. if (! pData->active)
  1187. {
  1188. // disable any output sound
  1189. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1190. carla_zeroFloats(audioOut[i], frames);
  1191. return;
  1192. }
  1193. fMidiEventInCount = fMidiEventOutCount = 0;
  1194. carla_zeroStructs(fMidiInEvents, kPluginMaxMidiEvents);
  1195. carla_zeroStructs(fMidiOutEvents, kPluginMaxMidiEvents);
  1196. // --------------------------------------------------------------------------------------------------------
  1197. // Check if needs reset
  1198. if (pData->needsReset)
  1199. {
  1200. if (pData->options & PLUGIN_OPTION_SEND_ALL_SOUND_OFF)
  1201. {
  1202. fMidiEventInCount = MAX_MIDI_CHANNELS*2;
  1203. for (uint8_t k=0, i=MAX_MIDI_CHANNELS; k < MAX_MIDI_CHANNELS; ++k)
  1204. {
  1205. fMidiInEvents[k].data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (k & MIDI_CHANNEL_BIT));
  1206. fMidiInEvents[k].data[1] = MIDI_CONTROL_ALL_NOTES_OFF;
  1207. fMidiInEvents[k].data[2] = 0;
  1208. fMidiInEvents[k].size = 3;
  1209. fMidiInEvents[k+i].data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (k & MIDI_CHANNEL_BIT));
  1210. fMidiInEvents[k+i].data[1] = MIDI_CONTROL_ALL_SOUND_OFF;
  1211. fMidiInEvents[k+i].data[2] = 0;
  1212. fMidiInEvents[k+i].size = 3;
  1213. }
  1214. }
  1215. else if (pData->ctrlChannel >= 0 && pData->ctrlChannel < MAX_MIDI_CHANNELS)
  1216. {
  1217. fMidiEventInCount = MAX_MIDI_NOTE;
  1218. for (uint8_t k=0; k < MAX_MIDI_NOTE; ++k)
  1219. {
  1220. fMidiInEvents[k].data[0] = uint8_t(MIDI_STATUS_NOTE_OFF | (pData->ctrlChannel & MIDI_CHANNEL_BIT));
  1221. fMidiInEvents[k].data[1] = k;
  1222. fMidiInEvents[k].data[2] = 0;
  1223. fMidiInEvents[k].size = 3;
  1224. }
  1225. }
  1226. pData->needsReset = false;
  1227. }
  1228. // --------------------------------------------------------------------------------------------------------
  1229. // Set TimeInfo
  1230. const EngineTimeInfo timeInfo(pData->engine->getTimeInfo());
  1231. fTimeInfo.playing = timeInfo.playing;
  1232. fTimeInfo.frame = timeInfo.frame;
  1233. fTimeInfo.usecs = timeInfo.usecs;
  1234. if (timeInfo.bbt.valid)
  1235. {
  1236. fTimeInfo.bbt.valid = true;
  1237. fTimeInfo.bbt.bar = timeInfo.bbt.bar;
  1238. fTimeInfo.bbt.beat = timeInfo.bbt.beat;
  1239. fTimeInfo.bbt.tick = timeInfo.bbt.tick;
  1240. fTimeInfo.bbt.barStartTick = timeInfo.bbt.barStartTick;
  1241. fTimeInfo.bbt.beatsPerBar = timeInfo.bbt.beatsPerBar;
  1242. fTimeInfo.bbt.beatType = timeInfo.bbt.beatType;
  1243. fTimeInfo.bbt.ticksPerBeat = timeInfo.bbt.ticksPerBeat;
  1244. fTimeInfo.bbt.beatsPerMinute = timeInfo.bbt.beatsPerMinute;
  1245. }
  1246. else
  1247. {
  1248. fTimeInfo.bbt.valid = false;
  1249. }
  1250. #if 0
  1251. // This test code has proven to be quite useful
  1252. // So I am leaving it behind, I might need it again..
  1253. if (pData->id == 1)
  1254. {
  1255. static int64_t last_frame = timeInfo.frame;
  1256. static int64_t last_dev_frame = 0;
  1257. static double last_val = timeInfo.bbt.barStartTick + ((timeInfo.bbt.beat-1) * timeInfo.bbt.ticksPerBeat) + timeInfo.bbt.tick;
  1258. static double last_dev_val = 0.0;
  1259. int64_t cur_frame = timeInfo.frame;
  1260. int64_t cur_dev_frame = cur_frame - last_frame;
  1261. double cur_val = timeInfo.bbt.barStartTick + ((timeInfo.bbt.beat-1) * timeInfo.bbt.ticksPerBeat) + timeInfo.bbt.tick;
  1262. double cur_dev_val = cur_val - last_val;
  1263. if (std::abs(last_dev_val - cur_dev_val) >= 0.0001 || last_dev_frame != cur_dev_frame)
  1264. {
  1265. carla_stdout("currently %u at %u => %f : DEV1: %li : DEV2: %f",
  1266. frames,
  1267. timeInfo.frame,
  1268. cur_val,
  1269. cur_dev_frame,
  1270. cur_dev_val);
  1271. }
  1272. last_val = cur_val;
  1273. last_dev_val = cur_dev_val;
  1274. last_frame = cur_frame;
  1275. last_dev_frame = cur_dev_frame;
  1276. }
  1277. #endif
  1278. // --------------------------------------------------------------------------------------------------------
  1279. // Event Input and Processing
  1280. if (pData->event.portIn != nullptr)
  1281. {
  1282. // ----------------------------------------------------------------------------------------------------
  1283. // MIDI Input (External)
  1284. if (pData->extNotes.mutex.tryLock())
  1285. {
  1286. ExternalMidiNote note = { 0, 0, 0 };
  1287. for (; fMidiEventInCount < kPluginMaxMidiEvents && ! pData->extNotes.data.isEmpty();)
  1288. {
  1289. note = pData->extNotes.data.getFirst(note, true);
  1290. CARLA_SAFE_ASSERT_CONTINUE(note.channel >= 0 && note.channel < MAX_MIDI_CHANNELS);
  1291. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1292. nativeEvent.data[0] = uint8_t((note.velo > 0 ? MIDI_STATUS_NOTE_ON : MIDI_STATUS_NOTE_OFF) | (note.channel & MIDI_CHANNEL_BIT));
  1293. nativeEvent.data[1] = note.note;
  1294. nativeEvent.data[2] = note.velo;
  1295. nativeEvent.size = 3;
  1296. }
  1297. pData->extNotes.mutex.unlock();
  1298. } // End of MIDI Input (External)
  1299. // ----------------------------------------------------------------------------------------------------
  1300. // Event Input (System)
  1301. #ifndef BUILD_BRIDGE
  1302. bool allNotesOffSent = false;
  1303. #endif
  1304. bool sampleAccurate = (pData->options & PLUGIN_OPTION_FIXED_BUFFERS) == 0;
  1305. uint32_t startTime = 0;
  1306. uint32_t timeOffset = 0;
  1307. uint32_t nextBankId;
  1308. if (pData->midiprog.current >= 0 && pData->midiprog.count > 0)
  1309. nextBankId = pData->midiprog.data[pData->midiprog.current].bank;
  1310. else
  1311. nextBankId = 0;
  1312. for (;;)
  1313. {
  1314. const EngineEvent& event(findNextEvent());
  1315. if (event.type == kEngineEventTypeNull)
  1316. break;
  1317. uint32_t eventTime = event.time;
  1318. CARLA_SAFE_ASSERT_UINT2_CONTINUE(eventTime < frames, eventTime, frames);
  1319. if (eventTime < timeOffset)
  1320. {
  1321. carla_stderr2("Timing error, eventTime:%u < timeOffset:%u for '%s'",
  1322. eventTime, timeOffset, pData->name);
  1323. eventTime = timeOffset;
  1324. }
  1325. if (sampleAccurate && eventTime > timeOffset)
  1326. {
  1327. if (processSingle(audioIn, audioOut, eventTime - timeOffset, timeOffset))
  1328. {
  1329. startTime = 0;
  1330. timeOffset = eventTime;
  1331. if (pData->midiprog.current >= 0 && pData->midiprog.count > 0)
  1332. nextBankId = pData->midiprog.data[pData->midiprog.current].bank;
  1333. else
  1334. nextBankId = 0;
  1335. if (fMidiEventInCount > 0)
  1336. {
  1337. carla_zeroStructs(fMidiInEvents, fMidiEventInCount);
  1338. fMidiEventInCount = 0;
  1339. }
  1340. if (fMidiEventOutCount > 0)
  1341. {
  1342. carla_zeroStructs(fMidiOutEvents, fMidiEventOutCount);
  1343. fMidiEventOutCount = 0;
  1344. }
  1345. }
  1346. else
  1347. startTime += timeOffset;
  1348. }
  1349. // Control change
  1350. switch (event.type)
  1351. {
  1352. case kEngineEventTypeNull:
  1353. break;
  1354. case kEngineEventTypeControl: {
  1355. const EngineControlEvent& ctrlEvent = event.ctrl;
  1356. switch (ctrlEvent.type)
  1357. {
  1358. case kEngineControlEventTypeNull:
  1359. break;
  1360. case kEngineControlEventTypeParameter: {
  1361. #ifndef BUILD_BRIDGE
  1362. // Control backend stuff
  1363. if (event.channel == pData->ctrlChannel)
  1364. {
  1365. float value;
  1366. if (MIDI_IS_CONTROL_BREATH_CONTROLLER(ctrlEvent.param) && (pData->hints & PLUGIN_CAN_DRYWET) > 0)
  1367. {
  1368. value = ctrlEvent.value;
  1369. setDryWetRT(value);
  1370. }
  1371. if (MIDI_IS_CONTROL_CHANNEL_VOLUME(ctrlEvent.param) && (pData->hints & PLUGIN_CAN_VOLUME) > 0)
  1372. {
  1373. value = ctrlEvent.value*127.0f/100.0f;
  1374. setVolumeRT(value);
  1375. }
  1376. if (MIDI_IS_CONTROL_BALANCE(ctrlEvent.param) && (pData->hints & PLUGIN_CAN_BALANCE) > 0)
  1377. {
  1378. float left, right;
  1379. value = ctrlEvent.value/0.5f - 1.0f;
  1380. if (value < 0.0f)
  1381. {
  1382. left = -1.0f;
  1383. right = (value*2.0f)+1.0f;
  1384. }
  1385. else if (value > 0.0f)
  1386. {
  1387. left = (value*2.0f)-1.0f;
  1388. right = 1.0f;
  1389. }
  1390. else
  1391. {
  1392. left = -1.0f;
  1393. right = 1.0f;
  1394. }
  1395. setBalanceLeftRT(left);
  1396. setBalanceRightRT(right);
  1397. }
  1398. }
  1399. #endif
  1400. // Control plugin parameters
  1401. for (uint32_t k=0; k < pData->param.count; ++k)
  1402. {
  1403. if (pData->param.data[k].midiChannel != event.channel)
  1404. continue;
  1405. if (pData->param.data[k].midiCC != ctrlEvent.param)
  1406. continue;
  1407. if (pData->param.data[k].type != PARAMETER_INPUT)
  1408. continue;
  1409. if ((pData->param.data[k].hints & PARAMETER_IS_AUTOMABLE) == 0)
  1410. continue;
  1411. float value;
  1412. if (pData->param.data[k].hints & PARAMETER_IS_BOOLEAN)
  1413. {
  1414. value = (ctrlEvent.value < 0.5f) ? pData->param.ranges[k].min : pData->param.ranges[k].max;
  1415. }
  1416. else
  1417. {
  1418. if (pData->param.data[k].hints & PARAMETER_IS_LOGARITHMIC)
  1419. value = pData->param.ranges[k].getUnnormalizedLogValue(ctrlEvent.value);
  1420. else
  1421. value = pData->param.ranges[k].getUnnormalizedValue(ctrlEvent.value);
  1422. if (pData->param.data[k].hints & PARAMETER_IS_INTEGER)
  1423. value = std::rint(value);
  1424. }
  1425. setParameterValueRT(k, value);
  1426. }
  1427. if ((pData->options & PLUGIN_OPTION_SEND_CONTROL_CHANGES) != 0 && ctrlEvent.param < MAX_MIDI_CONTROL)
  1428. {
  1429. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1430. continue;
  1431. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1432. carla_zeroStruct(nativeEvent);
  1433. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1434. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1435. nativeEvent.data[1] = uint8_t(ctrlEvent.param);
  1436. nativeEvent.data[2] = uint8_t(ctrlEvent.value*127.0f);
  1437. nativeEvent.size = 3;
  1438. }
  1439. break;
  1440. } // case kEngineControlEventTypeParameter
  1441. case kEngineControlEventTypeMidiBank:
  1442. if (pData->options & PLUGIN_OPTION_MAP_PROGRAM_CHANGES)
  1443. {
  1444. if (event.channel == pData->ctrlChannel)
  1445. nextBankId = ctrlEvent.param;
  1446. }
  1447. else if (pData->options & PLUGIN_OPTION_SEND_PROGRAM_CHANGES)
  1448. {
  1449. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1450. continue;
  1451. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1452. carla_zeroStruct(nativeEvent);
  1453. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1454. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1455. nativeEvent.data[1] = MIDI_CONTROL_BANK_SELECT;
  1456. nativeEvent.data[2] = uint8_t(ctrlEvent.param);
  1457. nativeEvent.size = 3;
  1458. }
  1459. break;
  1460. case kEngineControlEventTypeMidiProgram:
  1461. if (pData->options & PLUGIN_OPTION_MAP_PROGRAM_CHANGES)
  1462. {
  1463. if (event.channel < MAX_MIDI_CHANNELS)
  1464. {
  1465. const uint32_t nextProgramId(ctrlEvent.param);
  1466. for (uint32_t k=0; k < pData->midiprog.count; ++k)
  1467. {
  1468. if (pData->midiprog.data[k].bank == nextBankId && pData->midiprog.data[k].program == nextProgramId)
  1469. {
  1470. fDescriptor->set_midi_program(fHandle, event.channel, nextBankId, nextProgramId);
  1471. if (fHandle2 != nullptr)
  1472. fDescriptor->set_midi_program(fHandle2, event.channel, nextBankId, nextProgramId);
  1473. fCurMidiProgs[event.channel] = static_cast<int32_t>(k);
  1474. if (event.channel == pData->ctrlChannel)
  1475. pData->postponeRtEvent(kPluginPostRtEventMidiProgramChange, static_cast<int32_t>(k), 0, 0.0f);
  1476. break;
  1477. }
  1478. }
  1479. }
  1480. }
  1481. else if (pData->options & PLUGIN_OPTION_SEND_PROGRAM_CHANGES)
  1482. {
  1483. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1484. continue;
  1485. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1486. carla_zeroStruct(nativeEvent);
  1487. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1488. nativeEvent.data[0] = uint8_t(MIDI_STATUS_PROGRAM_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1489. nativeEvent.data[1] = uint8_t(ctrlEvent.param);
  1490. nativeEvent.size = 2;
  1491. }
  1492. break;
  1493. case kEngineControlEventTypeAllSoundOff:
  1494. if (pData->options & PLUGIN_OPTION_SEND_ALL_SOUND_OFF)
  1495. {
  1496. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1497. continue;
  1498. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1499. carla_zeroStruct(nativeEvent);
  1500. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1501. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1502. nativeEvent.data[1] = MIDI_CONTROL_ALL_SOUND_OFF;
  1503. nativeEvent.data[2] = 0;
  1504. nativeEvent.size = 3;
  1505. }
  1506. break;
  1507. case kEngineControlEventTypeAllNotesOff:
  1508. if (pData->options & PLUGIN_OPTION_SEND_ALL_SOUND_OFF)
  1509. {
  1510. #ifndef BUILD_BRIDGE
  1511. if (event.channel == pData->ctrlChannel && ! allNotesOffSent)
  1512. {
  1513. allNotesOffSent = true;
  1514. sendMidiAllNotesOffToCallback();
  1515. }
  1516. #endif
  1517. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1518. continue;
  1519. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1520. carla_zeroStruct(nativeEvent);
  1521. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1522. nativeEvent.data[0] = uint8_t(MIDI_STATUS_CONTROL_CHANGE | (event.channel & MIDI_CHANNEL_BIT));
  1523. nativeEvent.data[1] = MIDI_CONTROL_ALL_NOTES_OFF;
  1524. nativeEvent.data[2] = 0;
  1525. nativeEvent.size = 3;
  1526. }
  1527. break;
  1528. }
  1529. break;
  1530. }
  1531. case kEngineEventTypeMidi: {
  1532. if (fMidiEventInCount >= kPluginMaxMidiEvents)
  1533. continue;
  1534. const EngineMidiEvent& midiEvent(event.midi);
  1535. if (midiEvent.size > 4)
  1536. continue;
  1537. #ifdef CARLA_PROPER_CPP11_SUPPORT
  1538. static_assert(4 <= EngineMidiEvent::kDataSize, "Incorrect data");
  1539. #endif
  1540. uint8_t status = uint8_t(MIDI_GET_STATUS_FROM_DATA(midiEvent.data));
  1541. if (status == MIDI_STATUS_CHANNEL_PRESSURE && (pData->options & PLUGIN_OPTION_SEND_CHANNEL_PRESSURE) == 0)
  1542. continue;
  1543. if (status == MIDI_STATUS_CONTROL_CHANGE && (pData->options & PLUGIN_OPTION_SEND_CONTROL_CHANGES) == 0)
  1544. continue;
  1545. if (status == MIDI_STATUS_POLYPHONIC_AFTERTOUCH && (pData->options & PLUGIN_OPTION_SEND_NOTE_AFTERTOUCH) == 0)
  1546. continue;
  1547. if (status == MIDI_STATUS_PITCH_WHEEL_CONTROL && (pData->options & PLUGIN_OPTION_SEND_PITCHBEND) == 0)
  1548. continue;
  1549. // Fix bad note-off
  1550. if (status == MIDI_STATUS_NOTE_ON && midiEvent.data[2] == 0)
  1551. status = MIDI_STATUS_NOTE_OFF;
  1552. NativeMidiEvent& nativeEvent(fMidiInEvents[fMidiEventInCount++]);
  1553. carla_zeroStruct(nativeEvent);
  1554. nativeEvent.port = midiEvent.port;
  1555. nativeEvent.time = sampleAccurate ? startTime : eventTime;
  1556. nativeEvent.size = midiEvent.size;
  1557. nativeEvent.data[0] = uint8_t(status | (event.channel & MIDI_CHANNEL_BIT));
  1558. nativeEvent.data[1] = midiEvent.size >= 2 ? midiEvent.data[1] : 0;
  1559. nativeEvent.data[2] = midiEvent.size >= 3 ? midiEvent.data[2] : 0;
  1560. nativeEvent.data[3] = midiEvent.size == 4 ? midiEvent.data[3] : 0;
  1561. if (status == MIDI_STATUS_NOTE_ON)
  1562. pData->postponeRtEvent(kPluginPostRtEventNoteOn, event.channel, midiEvent.data[1], midiEvent.data[2]);
  1563. else if (status == MIDI_STATUS_NOTE_OFF)
  1564. pData->postponeRtEvent(kPluginPostRtEventNoteOff, event.channel, midiEvent.data[1], 0.0f);
  1565. } break;
  1566. } // switch (event.type)
  1567. }
  1568. pData->postRtEvents.trySplice();
  1569. if (frames > timeOffset)
  1570. processSingle(audioIn, audioOut, frames - timeOffset, timeOffset);
  1571. } // End of Event Input and Processing
  1572. // --------------------------------------------------------------------------------------------------------
  1573. // Plugin processing (no events)
  1574. else
  1575. {
  1576. processSingle(audioIn, audioOut, frames, 0);
  1577. } // End of Plugin processing (no events)
  1578. #ifndef BUILD_BRIDGE
  1579. // --------------------------------------------------------------------------------------------------------
  1580. // Control Output
  1581. if (pData->event.portOut != nullptr)
  1582. {
  1583. float value, curValue;
  1584. for (uint32_t k=0; k < pData->param.count; ++k)
  1585. {
  1586. if (pData->param.data[k].type != PARAMETER_OUTPUT)
  1587. continue;
  1588. curValue = fDescriptor->get_parameter_value(fHandle, k);
  1589. pData->param.ranges[k].fixValue(curValue);
  1590. if (pData->param.data[k].midiCC > 0)
  1591. {
  1592. value = pData->param.ranges[k].getNormalizedValue(curValue);
  1593. pData->event.portOut->writeControlEvent(0, pData->param.data[k].midiChannel, kEngineControlEventTypeParameter, static_cast<uint16_t>(pData->param.data[k].midiCC), value);
  1594. }
  1595. }
  1596. } // End of Control Output
  1597. #endif
  1598. }
  1599. bool processSingle(const float** const audioIn, float** const audioOut, const uint32_t frames, const uint32_t timeOffset)
  1600. {
  1601. CARLA_SAFE_ASSERT_RETURN(frames > 0, false);
  1602. if (pData->audioIn.count > 0)
  1603. {
  1604. CARLA_SAFE_ASSERT_RETURN(audioIn != nullptr, false);
  1605. }
  1606. if (pData->audioOut.count > 0)
  1607. {
  1608. CARLA_SAFE_ASSERT_RETURN(audioOut != nullptr, false);
  1609. }
  1610. // --------------------------------------------------------------------------------------------------------
  1611. // Try lock, silence otherwise
  1612. if (fIsOffline)
  1613. {
  1614. pData->singleMutex.lock();
  1615. }
  1616. else if (! pData->singleMutex.tryLock())
  1617. {
  1618. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1619. {
  1620. for (uint32_t k=0; k < frames; ++k)
  1621. audioOut[i][k+timeOffset] = 0.0f;
  1622. }
  1623. return false;
  1624. }
  1625. // --------------------------------------------------------------------------------------------------------
  1626. // Set audio buffers
  1627. for (uint32_t i=0; i < pData->audioIn.count; ++i)
  1628. carla_copyFloats(fAudioInBuffers[i], audioIn[i]+timeOffset, frames);
  1629. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1630. carla_zeroFloats(fAudioOutBuffers[i], frames);
  1631. // --------------------------------------------------------------------------------------------------------
  1632. // Run plugin
  1633. fIsProcessing = true;
  1634. if (fHandle2 == nullptr)
  1635. {
  1636. fDescriptor->process(fHandle, fAudioInBuffers, fAudioOutBuffers, frames, fMidiInEvents, fMidiEventInCount);
  1637. }
  1638. else
  1639. {
  1640. fDescriptor->process(fHandle,
  1641. (pData->audioIn.count > 0) ? &fAudioInBuffers[0] : nullptr,
  1642. (pData->audioOut.count > 0) ? &fAudioOutBuffers[0] : nullptr,
  1643. frames, fMidiInEvents, fMidiEventInCount);
  1644. fDescriptor->process(fHandle2,
  1645. (pData->audioIn.count > 0) ? &fAudioInBuffers[1] : nullptr,
  1646. (pData->audioOut.count > 0) ? &fAudioOutBuffers[1] : nullptr,
  1647. frames, fMidiInEvents, fMidiEventInCount);
  1648. }
  1649. fIsProcessing = false;
  1650. if (fTimeInfo.playing)
  1651. fTimeInfo.frame += frames;
  1652. #ifndef BUILD_BRIDGE_ALTERNATIVE_ARCH
  1653. // --------------------------------------------------------------------------------------------------------
  1654. // Post-processing (dry/wet, volume and balance)
  1655. {
  1656. const bool doDryWet = (pData->hints & PLUGIN_CAN_DRYWET) != 0 && carla_isNotEqual(pData->postProc.dryWet, 1.0f);
  1657. const bool doBalance = (pData->hints & PLUGIN_CAN_BALANCE) != 0 && ! (carla_isEqual(pData->postProc.balanceLeft, -1.0f) && carla_isEqual(pData->postProc.balanceRight, 1.0f));
  1658. bool isPair;
  1659. float bufValue, oldBufLeft[doBalance ? frames : 1];
  1660. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1661. {
  1662. // Dry/Wet
  1663. if (doDryWet)
  1664. {
  1665. for (uint32_t k=0; k < frames; ++k)
  1666. {
  1667. bufValue = fAudioInBuffers[(pData->audioIn.count == 1) ? 0 : i][k];
  1668. fAudioOutBuffers[i][k] = (fAudioOutBuffers[i][k] * pData->postProc.dryWet) + (bufValue * (1.0f - pData->postProc.dryWet));
  1669. }
  1670. }
  1671. // Balance
  1672. if (doBalance)
  1673. {
  1674. isPair = (i % 2 == 0);
  1675. if (isPair)
  1676. {
  1677. CARLA_ASSERT(i+1 < pData->audioOut.count);
  1678. carla_copyFloats(oldBufLeft, fAudioOutBuffers[i], frames);
  1679. }
  1680. float balRangeL = (pData->postProc.balanceLeft + 1.0f)/2.0f;
  1681. float balRangeR = (pData->postProc.balanceRight + 1.0f)/2.0f;
  1682. for (uint32_t k=0; k < frames; ++k)
  1683. {
  1684. if (isPair)
  1685. {
  1686. // left
  1687. fAudioOutBuffers[i][k] = oldBufLeft[k] * (1.0f - balRangeL);
  1688. fAudioOutBuffers[i][k] += fAudioOutBuffers[i+1][k] * (1.0f - balRangeR);
  1689. }
  1690. else
  1691. {
  1692. // right
  1693. fAudioOutBuffers[i][k] = fAudioOutBuffers[i][k] * balRangeR;
  1694. fAudioOutBuffers[i][k] += oldBufLeft[k] * balRangeL;
  1695. }
  1696. }
  1697. }
  1698. // Volume (and buffer copy)
  1699. {
  1700. for (uint32_t k=0; k < frames; ++k)
  1701. audioOut[i][k+timeOffset] = fAudioOutBuffers[i][k] * pData->postProc.volume;
  1702. }
  1703. }
  1704. } // End of Post-processing
  1705. #else
  1706. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1707. {
  1708. for (uint32_t k=0; k < frames; ++k)
  1709. audioOut[i][k+timeOffset] = fAudioOutBuffers[i][k];
  1710. }
  1711. #endif
  1712. // --------------------------------------------------------------------------------------------------------
  1713. // MIDI Output
  1714. if (pData->event.portOut != nullptr)
  1715. {
  1716. for (uint32_t k = 0; k < fMidiEventOutCount; ++k)
  1717. {
  1718. const uint8_t channel = uint8_t(MIDI_GET_CHANNEL_FROM_DATA(fMidiOutEvents[k].data));
  1719. const uint8_t port = fMidiOutEvents[k].port;
  1720. if (fMidiOut.count > 1 && port < fMidiOut.count)
  1721. fMidiOut.ports[port]->writeMidiEvent(fMidiOutEvents[k].time+timeOffset, channel, fMidiOutEvents[k].size, fMidiOutEvents[k].data);
  1722. else
  1723. pData->event.portOut->writeMidiEvent(fMidiOutEvents[k].time+timeOffset, channel, fMidiOutEvents[k].size, fMidiOutEvents[k].data);
  1724. }
  1725. }
  1726. // --------------------------------------------------------------------------------------------------------
  1727. pData->singleMutex.unlock();
  1728. return true;
  1729. }
  1730. void bufferSizeChanged(const uint32_t newBufferSize) override
  1731. {
  1732. CARLA_ASSERT_INT(newBufferSize > 0, newBufferSize);
  1733. carla_debug("CarlaPluginNative::bufferSizeChanged(%i)", newBufferSize);
  1734. for (uint32_t i=0; i < pData->audioIn.count; ++i)
  1735. {
  1736. if (fAudioInBuffers[i] != nullptr)
  1737. delete[] fAudioInBuffers[i];
  1738. fAudioInBuffers[i] = new float[newBufferSize];
  1739. }
  1740. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1741. {
  1742. if (fAudioOutBuffers[i] != nullptr)
  1743. delete[] fAudioOutBuffers[i];
  1744. fAudioOutBuffers[i] = new float[newBufferSize];
  1745. }
  1746. if (fCurBufferSize == newBufferSize)
  1747. return;
  1748. fCurBufferSize = newBufferSize;
  1749. if (fDescriptor != nullptr && fDescriptor->dispatcher != nullptr)
  1750. {
  1751. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_BUFFER_SIZE_CHANGED, 0, static_cast<intptr_t>(newBufferSize), nullptr, 0.0f);
  1752. if (fHandle2 != nullptr)
  1753. fDescriptor->dispatcher(fHandle2, NATIVE_PLUGIN_OPCODE_BUFFER_SIZE_CHANGED, 0, static_cast<intptr_t>(newBufferSize), nullptr, 0.0f);
  1754. }
  1755. }
  1756. void sampleRateChanged(const double newSampleRate) override
  1757. {
  1758. CARLA_ASSERT_INT(newSampleRate > 0.0, newSampleRate);
  1759. carla_debug("CarlaPluginNative::sampleRateChanged(%g)", newSampleRate);
  1760. if (carla_isEqual(fCurSampleRate, newSampleRate))
  1761. return;
  1762. fCurSampleRate = newSampleRate;
  1763. if (fDescriptor != nullptr && fDescriptor->dispatcher != nullptr)
  1764. {
  1765. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_SAMPLE_RATE_CHANGED, 0, 0, nullptr, float(newSampleRate));
  1766. if (fHandle2 != nullptr)
  1767. fDescriptor->dispatcher(fHandle2, NATIVE_PLUGIN_OPCODE_SAMPLE_RATE_CHANGED, 0, 0, nullptr, float(newSampleRate));
  1768. }
  1769. }
  1770. void offlineModeChanged(const bool isOffline) override
  1771. {
  1772. if (fIsOffline == isOffline)
  1773. return;
  1774. fIsOffline = isOffline;
  1775. if (fDescriptor != nullptr && fDescriptor->dispatcher != nullptr)
  1776. {
  1777. fDescriptor->dispatcher(fHandle, NATIVE_PLUGIN_OPCODE_OFFLINE_CHANGED, 0, isOffline ? 1 : 0, nullptr, 0.0f);
  1778. if (fHandle2 != nullptr)
  1779. fDescriptor->dispatcher(fHandle2, NATIVE_PLUGIN_OPCODE_OFFLINE_CHANGED, 0, isOffline ? 1 : 0, nullptr, 0.0f);
  1780. }
  1781. }
  1782. // -------------------------------------------------------------------
  1783. // Plugin buffers
  1784. void initBuffers() const noexcept override
  1785. {
  1786. CarlaPlugin::initBuffers();
  1787. fMidiIn.initBuffers(pData->event.portIn);
  1788. fMidiOut.initBuffers();
  1789. }
  1790. void clearBuffers() noexcept override
  1791. {
  1792. carla_debug("CarlaPluginNative::clearBuffers() - start");
  1793. if (fAudioInBuffers != nullptr)
  1794. {
  1795. for (uint32_t i=0; i < pData->audioIn.count; ++i)
  1796. {
  1797. if (fAudioInBuffers[i] != nullptr)
  1798. {
  1799. delete[] fAudioInBuffers[i];
  1800. fAudioInBuffers[i] = nullptr;
  1801. }
  1802. }
  1803. delete[] fAudioInBuffers;
  1804. fAudioInBuffers = nullptr;
  1805. }
  1806. if (fAudioOutBuffers != nullptr)
  1807. {
  1808. for (uint32_t i=0; i < pData->audioOut.count; ++i)
  1809. {
  1810. if (fAudioOutBuffers[i] != nullptr)
  1811. {
  1812. delete[] fAudioOutBuffers[i];
  1813. fAudioOutBuffers[i] = nullptr;
  1814. }
  1815. }
  1816. delete[] fAudioOutBuffers;
  1817. fAudioOutBuffers = nullptr;
  1818. }
  1819. if (fMidiIn.count > 1)
  1820. pData->event.portIn = nullptr;
  1821. if (fMidiOut.count > 1)
  1822. pData->event.portOut = nullptr;
  1823. fMidiIn.clear();
  1824. fMidiOut.clear();
  1825. CarlaPlugin::clearBuffers();
  1826. carla_debug("CarlaPluginNative::clearBuffers() - end");
  1827. }
  1828. // -------------------------------------------------------------------
  1829. // Post-poned UI Stuff
  1830. void uiParameterChange(const uint32_t index, const float value) noexcept override
  1831. {
  1832. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1833. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1834. CARLA_SAFE_ASSERT_RETURN(index < pData->param.count,);
  1835. if (! fIsUiVisible)
  1836. return;
  1837. if (fDescriptor->ui_set_parameter_value != nullptr)
  1838. fDescriptor->ui_set_parameter_value(fHandle, index, value);
  1839. }
  1840. void uiMidiProgramChange(const uint32_t index) noexcept override
  1841. {
  1842. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1843. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1844. CARLA_SAFE_ASSERT_RETURN(index < pData->midiprog.count,);
  1845. if (! fIsUiVisible)
  1846. return;
  1847. if (index >= pData->midiprog.count)
  1848. return;
  1849. if (fDescriptor->ui_set_midi_program != nullptr)
  1850. fDescriptor->ui_set_midi_program(fHandle, 0, pData->midiprog.data[index].bank, pData->midiprog.data[index].program);
  1851. }
  1852. void uiNoteOn(const uint8_t channel, const uint8_t note, const uint8_t velo) noexcept override
  1853. {
  1854. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1855. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1856. CARLA_SAFE_ASSERT_RETURN(channel < MAX_MIDI_CHANNELS,);
  1857. CARLA_SAFE_ASSERT_RETURN(note < MAX_MIDI_NOTE,);
  1858. CARLA_SAFE_ASSERT_RETURN(velo > 0 && velo < MAX_MIDI_VALUE,);
  1859. if (! fIsUiVisible)
  1860. return;
  1861. // TODO
  1862. }
  1863. void uiNoteOff(const uint8_t channel, const uint8_t note) noexcept override
  1864. {
  1865. CARLA_SAFE_ASSERT_RETURN(fDescriptor != nullptr,);
  1866. CARLA_SAFE_ASSERT_RETURN(fHandle != nullptr,);
  1867. CARLA_SAFE_ASSERT_RETURN(channel < MAX_MIDI_CHANNELS,);
  1868. CARLA_SAFE_ASSERT_RETURN(note < MAX_MIDI_NOTE,);
  1869. if (! fIsUiVisible)
  1870. return;
  1871. if (fDescriptor == nullptr || fHandle == nullptr)
  1872. return;
  1873. // TODO
  1874. }
  1875. // -------------------------------------------------------------------
  1876. protected:
  1877. const NativeTimeInfo* handleGetTimeInfo() const noexcept
  1878. {
  1879. CARLA_SAFE_ASSERT_RETURN(fIsProcessing, nullptr);
  1880. return &fTimeInfo;
  1881. }
  1882. bool handleWriteMidiEvent(const NativeMidiEvent* const event)
  1883. {
  1884. CARLA_SAFE_ASSERT_RETURN(pData->enabled, false);
  1885. CARLA_SAFE_ASSERT_RETURN(fIsProcessing, false);
  1886. CARLA_SAFE_ASSERT_RETURN(fMidiOut.count > 0 || pData->event.portOut != nullptr, false);
  1887. CARLA_SAFE_ASSERT_RETURN(event != nullptr, false);
  1888. CARLA_SAFE_ASSERT_RETURN(event->data[0] != 0, false);
  1889. if (fMidiEventOutCount == kPluginMaxMidiEvents)
  1890. {
  1891. carla_stdout("CarlaPluginNative::handleWriteMidiEvent(%p) - buffer full", event);
  1892. return false;
  1893. }
  1894. std::memcpy(&fMidiOutEvents[fMidiEventOutCount++], event, sizeof(NativeMidiEvent));
  1895. return true;
  1896. }
  1897. void handleUiParameterChanged(const uint32_t index, const float value)
  1898. {
  1899. setParameterValue(index, value, false, true, true);
  1900. }
  1901. void handleUiCustomDataChanged(const char* const key, const char* const value)
  1902. {
  1903. setCustomData(CUSTOM_DATA_TYPE_STRING, key, value, false);
  1904. }
  1905. void handleUiClosed()
  1906. {
  1907. pData->engine->callback(ENGINE_CALLBACK_UI_STATE_CHANGED, pData->id, 0, 0, 0.0f, nullptr);
  1908. fIsUiVisible = false;
  1909. }
  1910. const char* handleUiOpenFile(const bool isDir, const char* const title, const char* const filter)
  1911. {
  1912. return pData->engine->runFileCallback(FILE_CALLBACK_OPEN, isDir, title, filter);
  1913. }
  1914. const char* handleUiSaveFile(const bool isDir, const char* const title, const char* const filter)
  1915. {
  1916. return pData->engine->runFileCallback(FILE_CALLBACK_SAVE, isDir, title, filter);
  1917. }
  1918. intptr_t handleDispatcher(const NativeHostDispatcherOpcode opcode, const int32_t index, const intptr_t value, void* const ptr, const float opt)
  1919. {
  1920. carla_debug("CarlaPluginNative::handleDispatcher(%i, %i, " P_INTPTR ", %p, %f)", opcode, index, value, ptr, opt);
  1921. intptr_t ret = 0;
  1922. switch (opcode)
  1923. {
  1924. case NATIVE_HOST_OPCODE_NULL:
  1925. break;
  1926. case NATIVE_HOST_OPCODE_UPDATE_PARAMETER:
  1927. // TODO
  1928. pData->engine->callback(ENGINE_CALLBACK_UPDATE, pData->id, -1, 0, 0.0f, nullptr);
  1929. break;
  1930. case NATIVE_HOST_OPCODE_UPDATE_MIDI_PROGRAM:
  1931. // TODO
  1932. pData->engine->callback(ENGINE_CALLBACK_UPDATE, pData->id, -1, 0, 0.0f, nullptr);
  1933. break;
  1934. case NATIVE_HOST_OPCODE_RELOAD_PARAMETERS:
  1935. reload(); // FIXME
  1936. pData->engine->callback(ENGINE_CALLBACK_RELOAD_PARAMETERS, pData->id, -1, 0, 0.0f, nullptr);
  1937. break;
  1938. case NATIVE_HOST_OPCODE_RELOAD_MIDI_PROGRAMS:
  1939. reloadPrograms(false);
  1940. pData->engine->callback(ENGINE_CALLBACK_RELOAD_PROGRAMS, pData->id, -1, 0, 0.0f, nullptr);
  1941. break;
  1942. case NATIVE_HOST_OPCODE_RELOAD_ALL:
  1943. reload();
  1944. pData->engine->callback(ENGINE_CALLBACK_RELOAD_ALL, pData->id, -1, 0, 0.0f, nullptr);
  1945. break;
  1946. case NATIVE_HOST_OPCODE_UI_UNAVAILABLE:
  1947. pData->engine->callback(ENGINE_CALLBACK_UI_STATE_CHANGED, pData->id, -1, 0, 0.0f, nullptr);
  1948. fIsUiAvailable = false;
  1949. break;
  1950. case NATIVE_HOST_OPCODE_HOST_IDLE:
  1951. pData->engine->callback(ENGINE_CALLBACK_IDLE, 0, 0, 0, 0.0f, nullptr);
  1952. break;
  1953. case NATIVE_HOST_OPCODE_INTERNAL_PLUGIN:
  1954. ret = 1;
  1955. break;
  1956. }
  1957. return ret;
  1958. // unused for now
  1959. (void)index;
  1960. (void)value;
  1961. (void)ptr;
  1962. (void)opt;
  1963. }
  1964. // -------------------------------------------------------------------
  1965. public:
  1966. void* getNativeHandle() const noexcept override
  1967. {
  1968. return fHandle;
  1969. }
  1970. const void* getNativeDescriptor() const noexcept override
  1971. {
  1972. return fDescriptor;
  1973. }
  1974. // -------------------------------------------------------------------
  1975. bool init(const char* const name, const char* const label, const uint options)
  1976. {
  1977. CARLA_SAFE_ASSERT_RETURN(pData->engine != nullptr, false);
  1978. // ---------------------------------------------------------------
  1979. // first checks
  1980. if (pData->client != nullptr)
  1981. {
  1982. pData->engine->setLastError("Plugin client is already registered");
  1983. return false;
  1984. }
  1985. if (label == nullptr && label[0] != '\0')
  1986. {
  1987. pData->engine->setLastError("null label");
  1988. return false;
  1989. }
  1990. // ---------------------------------------------------------------
  1991. // get descriptor that matches label
  1992. sPluginInitializer.initIfNeeded();
  1993. for (LinkedList<const NativePluginDescriptor*>::Itenerator it = gPluginDescriptors.begin2(); it.valid(); it.next())
  1994. {
  1995. fDescriptor = it.getValue(nullptr);
  1996. CARLA_SAFE_ASSERT_BREAK(fDescriptor != nullptr);
  1997. carla_debug("Check vs \"%s\"", fDescriptor->label);
  1998. if (fDescriptor->label != nullptr && std::strcmp(fDescriptor->label, label) == 0)
  1999. break;
  2000. fDescriptor = nullptr;
  2001. }
  2002. if (fDescriptor == nullptr)
  2003. {
  2004. pData->engine->setLastError("Invalid internal plugin");
  2005. return false;
  2006. }
  2007. // ---------------------------------------------------------------
  2008. // set icon
  2009. if (std::strcmp(fDescriptor->label, "audiofile") == 0)
  2010. pData->iconName = carla_strdup_safe("file");
  2011. else if (std::strcmp(fDescriptor->label, "midifile") == 0)
  2012. pData->iconName = carla_strdup_safe("file");
  2013. // ---------------------------------------------------------------
  2014. // get info
  2015. if (name != nullptr && name[0] != '\0')
  2016. pData->name = pData->engine->getUniquePluginName(name);
  2017. else if (fDescriptor->name != nullptr && fDescriptor->name[0] != '\0')
  2018. pData->name = pData->engine->getUniquePluginName(fDescriptor->name);
  2019. else
  2020. pData->name = pData->engine->getUniquePluginName(label);
  2021. {
  2022. CARLA_ASSERT(fHost.uiName == nullptr);
  2023. char uiName[std::strlen(pData->name)+6+1];
  2024. std::strcpy(uiName, pData->name);
  2025. std::strcat(uiName, " (GUI)");
  2026. fHost.uiName = carla_strdup(uiName);
  2027. }
  2028. // ---------------------------------------------------------------
  2029. // register client
  2030. pData->client = pData->engine->addClient(this);
  2031. if (pData->client == nullptr || ! pData->client->isOk())
  2032. {
  2033. pData->engine->setLastError("Failed to register plugin client");
  2034. return false;
  2035. }
  2036. // ---------------------------------------------------------------
  2037. // initialize plugin
  2038. fHandle = fDescriptor->instantiate(&fHost);
  2039. if (fHandle == nullptr)
  2040. {
  2041. pData->engine->setLastError("Plugin failed to initialize");
  2042. return false;
  2043. }
  2044. // ---------------------------------------------------------------
  2045. // set default options
  2046. bool hasMidiProgs = false;
  2047. if (fDescriptor->get_midi_program_count != nullptr)
  2048. {
  2049. try {
  2050. hasMidiProgs = fDescriptor->get_midi_program_count(fHandle) > 0;
  2051. } catch (...) {}
  2052. }
  2053. pData->options = 0x0;
  2054. if (fDescriptor->hints & NATIVE_PLUGIN_NEEDS_FIXED_BUFFERS)
  2055. pData->options |= PLUGIN_OPTION_FIXED_BUFFERS;
  2056. else if (options & PLUGIN_OPTION_FIXED_BUFFERS)
  2057. pData->options |= PLUGIN_OPTION_FIXED_BUFFERS;
  2058. if (pData->engine->getOptions().forceStereo)
  2059. pData->options |= PLUGIN_OPTION_FORCE_STEREO;
  2060. else if (options & PLUGIN_OPTION_FORCE_STEREO)
  2061. pData->options |= PLUGIN_OPTION_FORCE_STEREO;
  2062. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_CHANNEL_PRESSURE)
  2063. pData->options |= PLUGIN_OPTION_SEND_CHANNEL_PRESSURE;
  2064. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_NOTE_AFTERTOUCH)
  2065. pData->options |= PLUGIN_OPTION_SEND_NOTE_AFTERTOUCH;
  2066. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_PITCHBEND)
  2067. pData->options |= PLUGIN_OPTION_SEND_PITCHBEND;
  2068. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_ALL_SOUND_OFF)
  2069. pData->options |= PLUGIN_OPTION_SEND_ALL_SOUND_OFF;
  2070. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_CONTROL_CHANGES)
  2071. {
  2072. if (options & PLUGIN_OPTION_SEND_CONTROL_CHANGES)
  2073. pData->options |= PLUGIN_OPTION_SEND_CONTROL_CHANGES;
  2074. }
  2075. if (fDescriptor->supports & NATIVE_PLUGIN_SUPPORTS_PROGRAM_CHANGES)
  2076. {
  2077. CARLA_SAFE_ASSERT(! hasMidiProgs);
  2078. pData->options |= PLUGIN_OPTION_SEND_PROGRAM_CHANGES;
  2079. }
  2080. else if (hasMidiProgs)
  2081. pData->options |= PLUGIN_OPTION_MAP_PROGRAM_CHANGES;
  2082. return true;
  2083. }
  2084. private:
  2085. NativePluginHandle fHandle;
  2086. NativePluginHandle fHandle2;
  2087. NativeHostDescriptor fHost;
  2088. const NativePluginDescriptor* fDescriptor;
  2089. bool fIsProcessing;
  2090. bool fIsOffline;
  2091. bool fIsUiAvailable;
  2092. bool fIsUiVisible;
  2093. float** fAudioInBuffers;
  2094. float** fAudioOutBuffers;
  2095. uint32_t fMidiEventInCount;
  2096. uint32_t fMidiEventOutCount;
  2097. NativeMidiEvent fMidiInEvents[kPluginMaxMidiEvents];
  2098. NativeMidiEvent fMidiOutEvents[kPluginMaxMidiEvents];
  2099. int32_t fCurMidiProgs[MAX_MIDI_CHANNELS];
  2100. uint32_t fCurBufferSize;
  2101. double fCurSampleRate;
  2102. NativePluginMidiInData fMidiIn;
  2103. NativePluginMidiOutData fMidiOut;
  2104. NativeTimeInfo fTimeInfo;
  2105. // -------------------------------------------------------------------
  2106. #define handlePtr ((CarlaPluginNative*)handle)
  2107. static uint32_t carla_host_get_buffer_size(NativeHostHandle handle) noexcept
  2108. {
  2109. return handlePtr->fCurBufferSize;
  2110. }
  2111. static double carla_host_get_sample_rate(NativeHostHandle handle) noexcept
  2112. {
  2113. return handlePtr->fCurSampleRate;
  2114. }
  2115. static bool carla_host_is_offline(NativeHostHandle handle) noexcept
  2116. {
  2117. return handlePtr->fIsOffline;
  2118. }
  2119. static const NativeTimeInfo* carla_host_get_time_info(NativeHostHandle handle) noexcept
  2120. {
  2121. return handlePtr->handleGetTimeInfo();
  2122. }
  2123. static bool carla_host_write_midi_event(NativeHostHandle handle, const NativeMidiEvent* event)
  2124. {
  2125. return handlePtr->handleWriteMidiEvent(event);
  2126. }
  2127. static void carla_host_ui_parameter_changed(NativeHostHandle handle, uint32_t index, float value)
  2128. {
  2129. handlePtr->handleUiParameterChanged(index, value);
  2130. }
  2131. static void carla_host_ui_custom_data_changed(NativeHostHandle handle, const char* key, const char* value)
  2132. {
  2133. handlePtr->handleUiCustomDataChanged(key, value);
  2134. }
  2135. static void carla_host_ui_closed(NativeHostHandle handle)
  2136. {
  2137. handlePtr->handleUiClosed();
  2138. }
  2139. static const char* carla_host_ui_open_file(NativeHostHandle handle, bool isDir, const char* title, const char* filter)
  2140. {
  2141. return handlePtr->handleUiOpenFile(isDir, title, filter);
  2142. }
  2143. static const char* carla_host_ui_save_file(NativeHostHandle handle, bool isDir, const char* title, const char* filter)
  2144. {
  2145. return handlePtr->handleUiSaveFile(isDir, title, filter);
  2146. }
  2147. static intptr_t carla_host_dispatcher(NativeHostHandle handle, NativeHostDispatcherOpcode opcode, int32_t index, intptr_t value, void* ptr, float opt)
  2148. {
  2149. return handlePtr->handleDispatcher(opcode, index, value, ptr, opt);
  2150. }
  2151. #undef handlePtr
  2152. CARLA_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR(CarlaPluginNative)
  2153. };
  2154. // -----------------------------------------------------------------------
  2155. CarlaPlugin* CarlaPlugin::newNative(const Initializer& init)
  2156. {
  2157. carla_debug("CarlaPlugin::newNative({%p, \"%s\", \"%s\", \"%s\", " P_INT64 "})", init.engine, init.filename, init.name, init.label, init.uniqueId);
  2158. CarlaPluginNative* const plugin(new CarlaPluginNative(init.engine, init.id));
  2159. if (! plugin->init(init.name, init.label, init.options))
  2160. {
  2161. delete plugin;
  2162. return nullptr;
  2163. }
  2164. return plugin;
  2165. }
  2166. // -----------------------------------------------------------------------
  2167. CARLA_BACKEND_END_NAMESPACE