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.

662 lines
19KB

  1. /*
  2. * Carla Bridge 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. #ifndef BUILD_BRIDGE
  18. # error This file should not be compiled if not building bridge
  19. #endif
  20. #include "CarlaEngine.hpp"
  21. #include "CarlaHost.h"
  22. #include "CarlaBackendUtils.hpp"
  23. #include "CarlaMainLoop.hpp"
  24. #include "CarlaMIDI.h"
  25. #ifdef CARLA_OS_LINUX
  26. # include <sched.h>
  27. # include <signal.h>
  28. # include <sys/prctl.h>
  29. # define SCHED_RESET_ON_FORK 0x40000000
  30. #endif
  31. #ifdef CARLA_OS_WIN
  32. # include <pthread.h>
  33. # include <objbase.h>
  34. #endif
  35. #ifdef HAVE_X11
  36. # include <X11/Xlib.h>
  37. #endif
  38. #ifdef USING_JUCE
  39. # if defined(__GNUC__) && (__GNUC__ > 4 || (__GNUC__ == 4 && __GNUC_MINOR__ >= 6))
  40. # pragma GCC diagnostic push
  41. # pragma GCC diagnostic ignored "-Wconversion"
  42. # pragma GCC diagnostic ignored "-Weffc++"
  43. # pragma GCC diagnostic ignored "-Wsign-conversion"
  44. # pragma GCC diagnostic ignored "-Wundef"
  45. # pragma GCC diagnostic ignored "-Wzero-as-null-pointer-constant"
  46. # endif
  47. # include "AppConfig.h"
  48. # if defined(CARLA_OS_MAC) || defined(CARLA_OS_WIN)
  49. # include "juce_gui_basics/juce_gui_basics.h"
  50. # else
  51. # include "juce_events/juce_events.h"
  52. # endif
  53. # if defined(__GNUC__) && (__GNUC__ > 4 || (__GNUC__ == 4 && __GNUC_MINOR__ >= 6))
  54. # pragma GCC diagnostic pop
  55. # endif
  56. #endif
  57. #include "jackbridge/JackBridge.hpp"
  58. #include "water/files/File.h"
  59. using CarlaBackend::CarlaEngine;
  60. using CarlaBackend::EngineCallbackOpcode;
  61. using CarlaBackend::EngineCallbackOpcode2Str;
  62. using CarlaBackend::runMainLoopOnce;
  63. using water::CharPointer_UTF8;
  64. using water::File;
  65. using water::String;
  66. // -------------------------------------------------------------------------
  67. static bool gIsInitiated = false;
  68. static volatile bool gCloseNow = false;
  69. static volatile bool gSaveNow = false;
  70. #if defined(CARLA_OS_LINUX)
  71. static void closeSignalHandler(int) noexcept
  72. {
  73. gCloseNow = true;
  74. }
  75. static void saveSignalHandler(int) noexcept
  76. {
  77. gSaveNow = true;
  78. }
  79. #elif defined(CARLA_OS_WIN)
  80. static BOOL WINAPI winSignalHandler(DWORD dwCtrlType) noexcept
  81. {
  82. if (dwCtrlType == CTRL_C_EVENT)
  83. {
  84. gCloseNow = true;
  85. return TRUE;
  86. }
  87. return FALSE;
  88. }
  89. #endif
  90. static void initSignalHandler()
  91. {
  92. #if defined(CARLA_OS_LINUX)
  93. struct sigaction sig;
  94. carla_zeroStruct(sig);
  95. sig.sa_handler = closeSignalHandler;
  96. sig.sa_flags = SA_RESTART;
  97. sigemptyset(&sig.sa_mask);
  98. sigaction(SIGTERM, &sig, nullptr);
  99. sigaction(SIGINT, &sig, nullptr);
  100. sig.sa_handler = saveSignalHandler;
  101. sig.sa_flags = SA_RESTART;
  102. sigemptyset(&sig.sa_mask);
  103. sigaction(SIGUSR1, &sig, nullptr);
  104. #elif defined(CARLA_OS_WIN)
  105. SetConsoleCtrlHandler(winSignalHandler, TRUE);
  106. #endif
  107. }
  108. // -------------------------------------------------------------------------
  109. static String gProjectFilename;
  110. static void gIdle()
  111. {
  112. carla_engine_idle();
  113. if (gSaveNow)
  114. {
  115. gSaveNow = false;
  116. if (gProjectFilename.isNotEmpty())
  117. {
  118. if (! carla_save_plugin_state(0, gProjectFilename.toRawUTF8()))
  119. carla_stderr("Plugin preset save failed, error was:\n%s", carla_get_last_error());
  120. }
  121. }
  122. }
  123. // -------------------------------------------------------------------------
  124. #if defined(USING_JUCE) && (defined(CARLA_OS_MAC) || defined(CARLA_OS_WIN))
  125. class CarlaJuceApp : public juce::JUCEApplication,
  126. private juce::Timer
  127. {
  128. public:
  129. CarlaJuceApp() {}
  130. ~CarlaJuceApp() {}
  131. void initialise(const juce::String&) override
  132. {
  133. startTimer(8);
  134. }
  135. void shutdown() override
  136. {
  137. gCloseNow = true;
  138. stopTimer();
  139. }
  140. const juce::String getApplicationName() override
  141. {
  142. return "CarlaPlugin";
  143. }
  144. const juce::String getApplicationVersion() override
  145. {
  146. return CARLA_VERSION_STRING;
  147. }
  148. void timerCallback() override
  149. {
  150. gIdle();
  151. if (gCloseNow)
  152. {
  153. quit();
  154. gCloseNow = false;
  155. }
  156. }
  157. };
  158. static juce::JUCEApplicationBase* juce_CreateApplication() { return new CarlaJuceApp(); }
  159. #endif
  160. // -------------------------------------------------------------------------
  161. class CarlaBridgePlugin
  162. {
  163. public:
  164. CarlaBridgePlugin(const bool useBridge, const char* const clientName, const char* const audioPoolBaseName,
  165. const char* const rtClientBaseName, const char* const nonRtClientBaseName, const char* const nonRtServerBaseName)
  166. : fEngine(nullptr),
  167. #ifdef USING_JUCE
  168. fJuceInitialiser(),
  169. #endif
  170. fUsingBridge(false),
  171. fUsingExec(false)
  172. {
  173. CARLA_ASSERT(clientName != nullptr && clientName[0] != '\0');
  174. carla_debug("CarlaBridgePlugin::CarlaBridgePlugin(%s, \"%s\", %s, %s, %s, %s)",
  175. bool2str(useBridge), clientName, audioPoolBaseName, rtClientBaseName, nonRtClientBaseName, nonRtServerBaseName);
  176. carla_set_engine_callback(callback, this);
  177. if (useBridge)
  178. carla_engine_init_bridge(audioPoolBaseName, rtClientBaseName, nonRtClientBaseName, nonRtServerBaseName, clientName);
  179. else
  180. carla_engine_init("JACK", clientName);
  181. fEngine = carla_get_engine();
  182. }
  183. ~CarlaBridgePlugin()
  184. {
  185. carla_debug("CarlaBridgePlugin::~CarlaBridgePlugin()");
  186. if (! fUsingExec)
  187. carla_engine_close();
  188. }
  189. bool isOk() const noexcept
  190. {
  191. return (fEngine != nullptr);
  192. }
  193. // ---------------------------------------------------------------------
  194. void exec(const bool useBridge)
  195. {
  196. fUsingBridge = useBridge;
  197. fUsingExec = true;
  198. if (! useBridge)
  199. {
  200. const CarlaPluginInfo* const pInfo(carla_get_plugin_info(0));
  201. CARLA_SAFE_ASSERT_RETURN(pInfo != nullptr,);
  202. gProjectFilename = CharPointer_UTF8(pInfo->name);
  203. gProjectFilename += ".carxs";
  204. if (! File::isAbsolutePath(gProjectFilename))
  205. gProjectFilename = File::getCurrentWorkingDirectory().getChildFile(gProjectFilename).getFullPathName();
  206. if (File(gProjectFilename).existsAsFile())
  207. {
  208. if (carla_load_plugin_state(0, gProjectFilename.toRawUTF8()))
  209. carla_stdout("Plugin state loaded sucessfully");
  210. else
  211. carla_stderr("Plugin state load failed, error was:\n%s", carla_get_last_error());
  212. }
  213. else
  214. {
  215. carla_stdout("Previous plugin state in '%s' is non-existent, will start from default state",
  216. gProjectFilename.toRawUTF8());
  217. }
  218. }
  219. gIsInitiated = true;
  220. #if defined(USING_JUCE) && (defined(CARLA_OS_MAC) || defined(CARLA_OS_WIN))
  221. # ifndef CARLA_OS_WIN
  222. static const int argc = 0;
  223. static const char* argv[] = {};
  224. # endif
  225. juce::JUCEApplicationBase::createInstance = &juce_CreateApplication;
  226. juce::JUCEApplicationBase::main(JUCE_MAIN_FUNCTION_ARGS);
  227. #else
  228. for (; runMainLoopOnce() && ! gCloseNow;)
  229. {
  230. gIdle();
  231. # if defined(CARLA_OS_MAC) || defined(CARLA_OS_WIN)
  232. // MacOS and Win32 have event-loops to run, so minimize sleep time
  233. carla_msleep(1);
  234. # else
  235. carla_msleep(5);
  236. # endif
  237. }
  238. #endif
  239. carla_engine_close();
  240. }
  241. // ---------------------------------------------------------------------
  242. protected:
  243. void handleCallback(const EngineCallbackOpcode action,
  244. const int value1,
  245. const int, const int, const float, const char* const)
  246. {
  247. CARLA_BACKEND_USE_NAMESPACE;
  248. switch (action)
  249. {
  250. case ENGINE_CALLBACK_ENGINE_STOPPED:
  251. case ENGINE_CALLBACK_PLUGIN_REMOVED:
  252. case ENGINE_CALLBACK_QUIT:
  253. gCloseNow = true;
  254. break;
  255. case ENGINE_CALLBACK_UI_STATE_CHANGED:
  256. if (gIsInitiated && value1 != 1 && ! fUsingBridge)
  257. gCloseNow = true;
  258. break;
  259. default:
  260. break;
  261. }
  262. }
  263. private:
  264. const CarlaEngine* fEngine;
  265. #ifdef USING_JUCE
  266. const juce::ScopedJuceInitialiser_GUI fJuceInitialiser;
  267. #endif
  268. bool fUsingBridge;
  269. bool fUsingExec;
  270. static void callback(void* ptr, EngineCallbackOpcode action, unsigned int pluginId,
  271. int value1, int value2, int value3,
  272. float valueF, const char* valueStr)
  273. {
  274. carla_debug("CarlaBridgePlugin::callback(%p, %i:%s, %i, %i, %i, %i, %f, \"%s\")",
  275. ptr, action, EngineCallbackOpcode2Str(action),
  276. pluginId, value1, value2, value3, valueF, valueStr);
  277. CARLA_SAFE_ASSERT_RETURN(ptr != nullptr,);
  278. CARLA_SAFE_ASSERT_RETURN(pluginId == 0,);
  279. return ((CarlaBridgePlugin*)ptr)->handleCallback(action, value1, value2, value3, valueF, valueStr);
  280. }
  281. CARLA_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR(CarlaBridgePlugin)
  282. };
  283. // -------------------------------------------------------------------------
  284. int main(int argc, char* argv[])
  285. {
  286. // ---------------------------------------------------------------------
  287. // Check argument count
  288. if (argc != 4 && argc != 5)
  289. {
  290. carla_stdout("usage: %s <type> <filename> <label> [uniqueId]", argv[0]);
  291. return 1;
  292. }
  293. #if defined(CARLA_OS_WIN) && ! defined(BUILDING_CARLA_FOR_WINDOWS)
  294. // ---------------------------------------------------------------------
  295. // Test if bridge is working
  296. if (! jackbridge_is_ok())
  297. {
  298. carla_stderr("A JACK or Wine library is missing, cannot continue");
  299. return 1;
  300. }
  301. #endif
  302. // ---------------------------------------------------------------------
  303. // Get args
  304. const char* const stype = argv[1];
  305. const char* filename = argv[2];
  306. const char* label = argv[3];
  307. const int64_t uniqueId = (argc == 5) ? static_cast<int64_t>(std::atoll(argv[4])) : 0;
  308. if (filename[0] == '\0' || std::strcmp(filename, "(none)") == 0)
  309. filename = nullptr;
  310. if (label[0] == '\0' || std::strcmp(label, "(none)") == 0)
  311. label = nullptr;
  312. // ---------------------------------------------------------------------
  313. // Check binary type
  314. CarlaBackend::BinaryType btype = CarlaBackend::BINARY_NATIVE;
  315. if (const char* const binaryTypeStr = std::getenv("CARLA_BRIDGE_PLUGIN_BINARY_TYPE"))
  316. btype = CarlaBackend::getBinaryTypeFromString(binaryTypeStr);
  317. if (btype == CarlaBackend::BINARY_NONE)
  318. {
  319. carla_stderr("Invalid binary type '%i'", btype);
  320. return 1;
  321. }
  322. // ---------------------------------------------------------------------
  323. // Check plugin type
  324. CarlaBackend::PluginType itype(CarlaBackend::getPluginTypeFromString(stype));
  325. if (itype == CarlaBackend::PLUGIN_NONE)
  326. {
  327. carla_stderr("Invalid plugin type '%s'", stype);
  328. return 1;
  329. }
  330. // ---------------------------------------------------------------------
  331. // Set file
  332. const File file(filename != nullptr ? filename : "");
  333. // ---------------------------------------------------------------------
  334. // Set name
  335. const char* name(std::getenv("CARLA_CLIENT_NAME"));
  336. if (name != nullptr && (name[0] == '\0' || std::strcmp(name, "(none)") == 0))
  337. name = nullptr;
  338. // ---------------------------------------------------------------------
  339. // Setup options
  340. const char* const shmIds(std::getenv("ENGINE_BRIDGE_SHM_IDS"));
  341. const bool useBridge = (shmIds != nullptr);
  342. // ---------------------------------------------------------------------
  343. // Setup bridge ids
  344. char audioPoolBaseName[6+1];
  345. char rtClientBaseName[6+1];
  346. char nonRtClientBaseName[6+1];
  347. char nonRtServerBaseName[6+1];
  348. if (useBridge)
  349. {
  350. CARLA_SAFE_ASSERT_RETURN(std::strlen(shmIds) == 6*4, 1);
  351. std::strncpy(audioPoolBaseName, shmIds+6*0, 6);
  352. std::strncpy(rtClientBaseName, shmIds+6*1, 6);
  353. std::strncpy(nonRtClientBaseName, shmIds+6*2, 6);
  354. std::strncpy(nonRtServerBaseName, shmIds+6*3, 6);
  355. audioPoolBaseName[6] = '\0';
  356. rtClientBaseName[6] = '\0';
  357. nonRtClientBaseName[6] = '\0';
  358. nonRtServerBaseName[6] = '\0';
  359. #ifdef CARLA_OS_LINUX
  360. // terminate ourselves if main carla dies
  361. ::prctl(PR_SET_PDEATHSIG, SIGTERM);
  362. // TODO, osx version too, see https://stackoverflow.com/questions/284325/how-to-make-child-process-die-after-parent-exits
  363. #endif
  364. }
  365. else
  366. {
  367. audioPoolBaseName[0] = '\0';
  368. rtClientBaseName[0] = '\0';
  369. nonRtClientBaseName[0] = '\0';
  370. nonRtServerBaseName[0] = '\0';
  371. jackbridge_init();
  372. }
  373. // ---------------------------------------------------------------------
  374. // Set client name
  375. CarlaString clientName;
  376. if (name != nullptr)
  377. {
  378. clientName = name;
  379. }
  380. else if (itype == CarlaBackend::PLUGIN_LV2)
  381. {
  382. // LV2 requires URI
  383. CARLA_SAFE_ASSERT_RETURN(label != nullptr && label[0] != '\0', 1);
  384. // LV2 URI is not usable as client name, create a usable name from URI
  385. CarlaString label2(label);
  386. // truncate until last valid char
  387. for (std::size_t i=label2.length()-1; i != 0; --i)
  388. {
  389. if (! std::isalnum(label2[i]))
  390. continue;
  391. label2.truncate(i+1);
  392. break;
  393. }
  394. // get last used separator
  395. bool found;
  396. std::size_t septmp, sep = 0;
  397. septmp = label2.rfind('#', &found)+1;
  398. if (found && septmp > sep)
  399. sep = septmp;
  400. septmp = label2.rfind('/', &found)+1;
  401. if (found && septmp > sep)
  402. sep = septmp;
  403. septmp = label2.rfind('=', &found)+1;
  404. if (found && septmp > sep)
  405. sep = septmp;
  406. septmp = label2.rfind(':', &found)+1;
  407. if (found && septmp > sep)
  408. sep = septmp;
  409. // make name starting from the separator and first valid char
  410. const char* name2 = label2.buffer() + sep;
  411. for (; *name2 != '\0' && ! std::isalnum(*name2); ++name2) {}
  412. if (*name2 != '\0')
  413. clientName = name2;
  414. }
  415. else if (label != nullptr)
  416. {
  417. clientName = label;
  418. }
  419. else
  420. {
  421. clientName = file.getFileNameWithoutExtension().toRawUTF8();
  422. }
  423. // if we still have no client name by now, use a dummy one
  424. if (clientName.isEmpty())
  425. clientName = "carla-plugin";
  426. // just to be safe
  427. clientName.toBasic();
  428. // ---------------------------------------------------------------------
  429. // Set extraStuff
  430. const void* extraStuff = nullptr;
  431. if (itype == CarlaBackend::PLUGIN_SF2)
  432. {
  433. if (label == nullptr)
  434. label = clientName;
  435. if (std::strstr(label, " (16 outs)") != nullptr)
  436. extraStuff = "true";
  437. }
  438. // ---------------------------------------------------------------------
  439. // Initialize OS features
  440. #ifdef CARLA_OS_WIN
  441. OleInitialize(nullptr);
  442. CoInitializeEx(nullptr, COINIT_APARTMENTTHREADED);
  443. # ifndef __WINPTHREADS_VERSION
  444. // (non-portable) initialization of statically linked pthread library
  445. pthread_win32_process_attach_np();
  446. pthread_win32_thread_attach_np();
  447. # endif
  448. #endif
  449. #ifdef HAVE_X11
  450. if (std::getenv("DISPLAY") != nullptr)
  451. XInitThreads();
  452. #endif
  453. // ---------------------------------------------------------------------
  454. // Set ourselves with high priority
  455. #ifdef CARLA_OS_LINUX
  456. // reset scheduler to normal mode
  457. struct sched_param sparam;
  458. carla_zeroStruct(sparam);
  459. sched_setscheduler(0, SCHED_OTHER|SCHED_RESET_ON_FORK, &sparam);
  460. // try niceness first, if it fails, try SCHED_RR
  461. if (nice(-5) < 0)
  462. {
  463. sparam.sched_priority = (sched_get_priority_max(SCHED_RR) + sched_get_priority_min(SCHED_RR*7)) / 8;
  464. if (sparam.sched_priority > 0)
  465. {
  466. if (sched_setscheduler(0, SCHED_RR|SCHED_RESET_ON_FORK, &sparam) < 0)
  467. {
  468. CarlaString error(std::strerror(errno));
  469. carla_stderr("Failed to set high priority, error %i: %s", errno, error.buffer());
  470. }
  471. }
  472. }
  473. #endif
  474. #ifdef CARLA_OS_WIN
  475. if (! SetPriorityClass(GetCurrentProcess(), ABOVE_NORMAL_PRIORITY_CLASS))
  476. carla_stderr("Failed to set high priority.");
  477. #endif
  478. // ---------------------------------------------------------------------
  479. // Listen for ctrl+c or sigint/sigterm events
  480. initSignalHandler();
  481. // ---------------------------------------------------------------------
  482. // Init plugin bridge
  483. int ret;
  484. {
  485. CarlaBridgePlugin bridge(useBridge, clientName,
  486. audioPoolBaseName, rtClientBaseName, nonRtClientBaseName, nonRtServerBaseName);
  487. if (! bridge.isOk())
  488. {
  489. carla_stderr("Failed to init engine, error was:\n%s", carla_get_last_error());
  490. return 1;
  491. }
  492. // -----------------------------------------------------------------
  493. // Init plugin
  494. if (carla_add_plugin(btype, itype, file.getFullPathName().toRawUTF8(), name, label, uniqueId, extraStuff, 0x0))
  495. {
  496. ret = 0;
  497. if (! useBridge)
  498. {
  499. carla_set_active(0, true);
  500. carla_set_option(0, CarlaBackend::PLUGIN_OPTION_SEND_CONTROL_CHANGES, true);
  501. if (const CarlaPluginInfo* const pluginInfo = carla_get_plugin_info(0))
  502. {
  503. if (pluginInfo->hints & CarlaBackend::PLUGIN_HAS_CUSTOM_UI)
  504. {
  505. #ifdef HAVE_X11
  506. if (std::getenv("DISPLAY") != nullptr)
  507. #endif
  508. carla_show_custom_ui(0, true);
  509. }
  510. }
  511. }
  512. bridge.exec(useBridge);
  513. }
  514. else
  515. {
  516. ret = 1;
  517. const char* const lastError(carla_get_last_error());
  518. carla_stderr("Plugin failed to load, error was:\n%s", lastError);
  519. //if (useBridge)
  520. // bridge.sendOscBridgeError(lastError);
  521. }
  522. }
  523. #ifdef CARLA_OS_WIN
  524. #ifndef __WINPTHREADS_VERSION
  525. pthread_win32_thread_detach_np();
  526. pthread_win32_process_detach_np();
  527. #endif
  528. CoUninitialize();
  529. OleUninitialize();
  530. #endif
  531. return ret;
  532. }