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.

3246 lines
102KB

  1. #!/usr/bin/env python3
  2. # -*- coding: utf-8 -*-
  3. # Carla Backend code
  4. # Copyright (C) 2011-2017 Filipe Coelho <falktx@falktx.com>
  5. #
  6. # This program is free software; you can redistribute it and/or
  7. # modify it under the terms of the GNU General Public License as
  8. # published by the Free Software Foundation; either version 2 of
  9. # the License, or any later version.
  10. #
  11. # This program is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. # GNU General Public License for more details.
  15. #
  16. # For a full copy of the GNU General Public License see the doc/GPL.txt file.
  17. # ------------------------------------------------------------------------------------------------------------
  18. # Imports (Global)
  19. from abc import ABCMeta, abstractmethod
  20. from ctypes import *
  21. from platform import architecture
  22. from sys import platform, maxsize
  23. # ------------------------------------------------------------------------------------------------------------
  24. # 64bit check
  25. kIs64bit = bool(architecture()[0] == "64bit" and maxsize > 2**32)
  26. # ------------------------------------------------------------------------------------------------------------
  27. # Define custom types
  28. c_enum = c_int
  29. c_uintptr = c_uint64 if kIs64bit else c_uint32
  30. # ------------------------------------------------------------------------------------------------------------
  31. # Set Platform
  32. if platform == "darwin":
  33. HAIKU = False
  34. LINUX = False
  35. MACOS = True
  36. WINDOWS = False
  37. elif "haiku" in platform:
  38. HAIKU = True
  39. LINUX = False
  40. MACOS = False
  41. WINDOWS = False
  42. elif "linux" in platform:
  43. HAIKU = False
  44. LINUX = True
  45. MACOS = False
  46. WINDOWS = False
  47. elif platform in ("win32", "win64", "cygwin"):
  48. HAIKU = False
  49. LINUX = False
  50. MACOS = False
  51. WINDOWS = True
  52. else:
  53. HAIKU = False
  54. LINUX = False
  55. MACOS = False
  56. WINDOWS = False
  57. # ------------------------------------------------------------------------------------------------------------
  58. # Convert a ctypes c_char_p into a python string
  59. def charPtrToString(charPtr):
  60. if not charPtr:
  61. return ""
  62. if isinstance(charPtr, str):
  63. return charPtr
  64. return charPtr.decode("utf-8", errors="ignore")
  65. # ------------------------------------------------------------------------------------------------------------
  66. # Convert a ctypes POINTER(c_char_p) into a python string list
  67. def charPtrPtrToStringList(charPtrPtr):
  68. if not charPtrPtr:
  69. return []
  70. i = 0
  71. charPtr = charPtrPtr[0]
  72. strList = []
  73. while charPtr:
  74. strList.append(charPtr.decode("utf-8", errors="ignore"))
  75. i += 1
  76. charPtr = charPtrPtr[i]
  77. return strList
  78. # ------------------------------------------------------------------------------------------------------------
  79. # Convert a ctypes POINTER(c_<num>) into a python number list
  80. def numPtrToList(numPtr):
  81. if not numPtr:
  82. return []
  83. i = 0
  84. num = numPtr[0] #.value
  85. numList = []
  86. while num not in (0, 0.0):
  87. numList.append(num)
  88. i += 1
  89. num = numPtr[i] #.value
  90. return numList
  91. # ------------------------------------------------------------------------------------------------------------
  92. # Convert a ctypes value into a python one
  93. c_int_types = (c_int, c_int8, c_int16, c_int32, c_int64, c_uint, c_uint8, c_uint16, c_uint32, c_uint64, c_long, c_longlong)
  94. c_float_types = (c_float, c_double, c_longdouble)
  95. c_intp_types = tuple(POINTER(i) for i in c_int_types)
  96. c_floatp_types = tuple(POINTER(i) for i in c_float_types)
  97. def toPythonType(value, attr):
  98. if isinstance(value, (bool, int, float)):
  99. return value
  100. if isinstance(value, bytes):
  101. return charPtrToString(value)
  102. if isinstance(value, c_intp_types) or isinstance(value, c_floatp_types):
  103. return numPtrToList(value)
  104. if isinstance(value, POINTER(c_char_p)):
  105. return charPtrPtrToStringList(value)
  106. print("..............", attr, ".....................", value, ":", type(value))
  107. return value
  108. # ------------------------------------------------------------------------------------------------------------
  109. # Convert a ctypes struct into a python dict
  110. def structToDict(struct):
  111. return dict((attr, toPythonType(getattr(struct, attr), attr)) for attr, value in struct._fields_)
  112. # ------------------------------------------------------------------------------------------------------------
  113. # Carla Backend API (base definitions)
  114. # Maximum default number of loadable plugins.
  115. MAX_DEFAULT_PLUGINS = 99
  116. # Maximum number of loadable plugins in rack mode.
  117. MAX_RACK_PLUGINS = 16
  118. # Maximum number of loadable plugins in patchbay mode.
  119. MAX_PATCHBAY_PLUGINS = 255
  120. # Maximum default number of parameters allowed.
  121. # @see ENGINE_OPTION_MAX_PARAMETERS
  122. MAX_DEFAULT_PARAMETERS = 200
  123. # The "plugin Id" for the global Carla instance.
  124. # Curently only used for audio peaks.
  125. MAIN_CARLA_PLUGIN_ID = 0xFFFF
  126. # ------------------------------------------------------------------------------------------------------------
  127. # Engine Driver Device Hints
  128. # Various engine driver device hints.
  129. # @see carla_get_engine_driver_device_info()
  130. # Engine driver device has custom control-panel.
  131. ENGINE_DRIVER_DEVICE_HAS_CONTROL_PANEL = 0x1
  132. # Engine driver device can use a triple-buffer (3 number of periods instead of the usual 2).
  133. # @see ENGINE_OPTION_AUDIO_NUM_PERIODS
  134. ENGINE_DRIVER_DEVICE_CAN_TRIPLE_BUFFER = 0x2
  135. # Engine driver device can change buffer-size on the fly.
  136. # @see ENGINE_OPTION_AUDIO_BUFFER_SIZE
  137. ENGINE_DRIVER_DEVICE_VARIABLE_BUFFER_SIZE = 0x4
  138. # Engine driver device can change sample-rate on the fly.
  139. # @see ENGINE_OPTION_AUDIO_SAMPLE_RATE
  140. ENGINE_DRIVER_DEVICE_VARIABLE_SAMPLE_RATE = 0x8
  141. # ------------------------------------------------------------------------------------------------------------
  142. # Plugin Hints
  143. # Various plugin hints.
  144. # @see carla_get_plugin_info()
  145. # Plugin is a bridge.
  146. # This hint is required because "bridge" itself is not a plugin type.
  147. PLUGIN_IS_BRIDGE = 0x001
  148. # Plugin is hard real-time safe.
  149. PLUGIN_IS_RTSAFE = 0x002
  150. # Plugin is a synth (produces sound).
  151. PLUGIN_IS_SYNTH = 0x004
  152. # Plugin has its own custom UI.
  153. # @see carla_show_custom_ui()
  154. PLUGIN_HAS_CUSTOM_UI = 0x008
  155. # Plugin can use internal Dry/Wet control.
  156. PLUGIN_CAN_DRYWET = 0x010
  157. # Plugin can use internal Volume control.
  158. PLUGIN_CAN_VOLUME = 0x020
  159. # Plugin can use internal (Stereo) Balance controls.
  160. PLUGIN_CAN_BALANCE = 0x040
  161. # Plugin can use internal (Mono) Panning control.
  162. PLUGIN_CAN_PANNING = 0x080
  163. # Plugin needs a constant, fixed-size audio buffer.
  164. PLUGIN_NEEDS_FIXED_BUFFERS = 0x100
  165. # Plugin needs to receive all UI events in the main thread.
  166. PLUGIN_NEEDS_UI_MAIN_THREAD = 0x200
  167. # Plugin uses 1 program per MIDI channel.
  168. # @note: Only used in some internal plugins and gig+sf2 files.
  169. PLUGIN_USES_MULTI_PROGS = 0x400
  170. # Plugin can make use of inline display API.
  171. PLUGIN_HAS_INLINE_DISPLAY = 0x800
  172. # ------------------------------------------------------------------------------------------------------------
  173. # Plugin Options
  174. # Various plugin options.
  175. # @see carla_get_plugin_info() and carla_set_option()
  176. # Use constant/fixed-size audio buffers.
  177. PLUGIN_OPTION_FIXED_BUFFERS = 0x001
  178. # Force mono plugin as stereo.
  179. PLUGIN_OPTION_FORCE_STEREO = 0x002
  180. # Map MIDI programs to plugin programs.
  181. PLUGIN_OPTION_MAP_PROGRAM_CHANGES = 0x004
  182. # Use chunks to save and restore data instead of parameter values.
  183. PLUGIN_OPTION_USE_CHUNKS = 0x008
  184. # Send MIDI control change events.
  185. PLUGIN_OPTION_SEND_CONTROL_CHANGES = 0x010
  186. # Send MIDI channel pressure events.
  187. PLUGIN_OPTION_SEND_CHANNEL_PRESSURE = 0x020
  188. # Send MIDI note after-touch events.
  189. PLUGIN_OPTION_SEND_NOTE_AFTERTOUCH = 0x040
  190. # Send MIDI pitch-bend events.
  191. PLUGIN_OPTION_SEND_PITCHBEND = 0x080
  192. # Send MIDI all-sounds/notes-off events, single note-offs otherwise.
  193. PLUGIN_OPTION_SEND_ALL_SOUND_OFF = 0x100
  194. # Send MIDI bank/program changes.
  195. # @note: This option conflicts with PLUGIN_OPTION_MAP_PROGRAM_CHANGES and cannot be used at the same time.
  196. PLUGIN_OPTION_SEND_PROGRAM_CHANGES = 0x200
  197. # ------------------------------------------------------------------------------------------------------------
  198. # Parameter Hints
  199. # Various parameter hints.
  200. # @see CarlaPlugin::getParameterData() and carla_get_parameter_data()
  201. # Parameter value is boolean.
  202. PARAMETER_IS_BOOLEAN = 0x001
  203. # Parameter value is integer.
  204. PARAMETER_IS_INTEGER = 0x002
  205. # Parameter value is logarithmic.
  206. PARAMETER_IS_LOGARITHMIC = 0x004
  207. # Parameter is enabled.
  208. # It can be viewed, changed and stored.
  209. PARAMETER_IS_ENABLED = 0x010
  210. # Parameter is automable (real-time safe).
  211. PARAMETER_IS_AUTOMABLE = 0x020
  212. # Parameter is read-only.
  213. # It cannot be changed.
  214. PARAMETER_IS_READ_ONLY = 0x040
  215. # Parameter needs sample rate to work.
  216. # Value and ranges are multiplied by sample rate on usage and divided by sample rate on save.
  217. PARAMETER_USES_SAMPLERATE = 0x100
  218. # Parameter uses scale points to define internal values in a meaningful way.
  219. PARAMETER_USES_SCALEPOINTS = 0x200
  220. # Parameter uses custom text for displaying its value.
  221. # @see carla_get_parameter_text()
  222. PARAMETER_USES_CUSTOM_TEXT = 0x400
  223. # ------------------------------------------------------------------------------------------------------------
  224. # Patchbay Port Hints
  225. # Various patchbay port hints.
  226. # Patchbay port is input.
  227. # When this hint is not set, port is assumed to be output.
  228. PATCHBAY_PORT_IS_INPUT = 0x1
  229. # Patchbay port is of Audio type.
  230. PATCHBAY_PORT_TYPE_AUDIO = 0x2
  231. # Patchbay port is of CV type (Control Voltage).
  232. PATCHBAY_PORT_TYPE_CV = 0x4
  233. # Patchbay port is of MIDI type.
  234. PATCHBAY_PORT_TYPE_MIDI = 0x8
  235. # ------------------------------------------------------------------------------------------------------------
  236. # Custom Data Types
  237. # These types define how the value in the CustomData struct is stored.
  238. # @see CustomData.type
  239. # Boolean string type URI.
  240. # Only "true" and "false" are valid values.
  241. CUSTOM_DATA_TYPE_BOOLEAN = "http://kxstudio.sf.net/ns/carla/boolean"
  242. # Chunk type URI.
  243. CUSTOM_DATA_TYPE_CHUNK = "http://kxstudio.sf.net/ns/carla/chunk"
  244. # Property type URI.
  245. CUSTOM_DATA_TYPE_PROPERTY = "http://kxstudio.sf.net/ns/carla/property"
  246. # String type URI.
  247. CUSTOM_DATA_TYPE_STRING = "http://kxstudio.sf.net/ns/carla/string"
  248. # ------------------------------------------------------------------------------------------------------------
  249. # Custom Data Keys
  250. # Pre-defined keys used internally in Carla.
  251. # @see CustomData.key
  252. # Plugin options key.
  253. CUSTOM_DATA_KEY_PLUGIN_OPTIONS = "CarlaPluginOptions"
  254. # UI position key.
  255. CUSTOM_DATA_KEY_UI_POSITION = "CarlaUiPosition"
  256. # UI size key.
  257. CUSTOM_DATA_KEY_UI_SIZE = "CarlaUiSize"
  258. # UI visible key.
  259. CUSTOM_DATA_KEY_UI_VISIBLE = "CarlaUiVisible"
  260. # ------------------------------------------------------------------------------------------------------------
  261. # Binary Type
  262. # The binary type of a plugin.
  263. # Null binary type.
  264. BINARY_NONE = 0
  265. # POSIX 32bit binary.
  266. BINARY_POSIX32 = 1
  267. # POSIX 64bit binary.
  268. BINARY_POSIX64 = 2
  269. # Windows 32bit binary.
  270. BINARY_WIN32 = 3
  271. # Windows 64bit binary.
  272. BINARY_WIN64 = 4
  273. # Other binary type.
  274. BINARY_OTHER = 5
  275. # ------------------------------------------------------------------------------------------------------------
  276. # Plugin Type
  277. # Plugin type.
  278. # Some files are handled as if they were plugins.
  279. # Null plugin type.
  280. PLUGIN_NONE = 0
  281. # Internal plugin.
  282. PLUGIN_INTERNAL = 1
  283. # LADSPA plugin.
  284. PLUGIN_LADSPA = 2
  285. # DSSI plugin.
  286. PLUGIN_DSSI = 3
  287. # LV2 plugin.
  288. PLUGIN_LV2 = 4
  289. # VST2 plugin.
  290. PLUGIN_VST2 = 5
  291. # GIG file.
  292. PLUGIN_GIG = 6
  293. # SF2 file (SoundFont).
  294. PLUGIN_SF2 = 7
  295. # SFZ file.
  296. PLUGIN_SFZ = 8
  297. # JACK application.
  298. PLUGIN_JACK = 9
  299. # ------------------------------------------------------------------------------------------------------------
  300. # Plugin Category
  301. # Plugin category, which describes the functionality of a plugin.
  302. # Null plugin category.
  303. PLUGIN_CATEGORY_NONE = 0
  304. # A synthesizer or generator.
  305. PLUGIN_CATEGORY_SYNTH = 1
  306. # A delay or reverb.
  307. PLUGIN_CATEGORY_DELAY = 2
  308. # An equalizer.
  309. PLUGIN_CATEGORY_EQ = 3
  310. # A filter.
  311. PLUGIN_CATEGORY_FILTER = 4
  312. # A distortion plugin.
  313. PLUGIN_CATEGORY_DISTORTION = 5
  314. # A 'dynamic' plugin (amplifier, compressor, gate, etc).
  315. PLUGIN_CATEGORY_DYNAMICS = 6
  316. # A 'modulator' plugin (chorus, flanger, phaser, etc).
  317. PLUGIN_CATEGORY_MODULATOR = 7
  318. # An 'utility' plugin (analyzer, converter, mixer, etc).
  319. PLUGIN_CATEGORY_UTILITY = 8
  320. # Miscellaneous plugin (used to check if the plugin has a category).
  321. PLUGIN_CATEGORY_OTHER = 9
  322. # ------------------------------------------------------------------------------------------------------------
  323. # Parameter Type
  324. # Plugin parameter type.
  325. # Null parameter type.
  326. PARAMETER_UNKNOWN = 0
  327. # Input parameter.
  328. PARAMETER_INPUT = 1
  329. # Ouput parameter.
  330. PARAMETER_OUTPUT = 2
  331. # ------------------------------------------------------------------------------------------------------------
  332. # Internal Parameter Index
  333. # Special parameters used internally in Carla.
  334. # Plugins do not know about their existence.
  335. # Null parameter.
  336. PARAMETER_NULL = -1
  337. # Active parameter, boolean type.
  338. # Default is 'false'.
  339. PARAMETER_ACTIVE = -2
  340. # Dry/Wet parameter.
  341. # Range 0.0...1.0; default is 1.0.
  342. PARAMETER_DRYWET = -3
  343. # Volume parameter.
  344. # Range 0.0...1.27; default is 1.0.
  345. PARAMETER_VOLUME = -4
  346. # Stereo Balance-Left parameter.
  347. # Range -1.0...1.0; default is -1.0.
  348. PARAMETER_BALANCE_LEFT = -5
  349. # Stereo Balance-Right parameter.
  350. # Range -1.0...1.0; default is 1.0.
  351. PARAMETER_BALANCE_RIGHT = -6
  352. # Mono Panning parameter.
  353. # Range -1.0...1.0; default is 0.0.
  354. PARAMETER_PANNING = -7
  355. # MIDI Control channel, integer type.
  356. # Range -1...15 (-1 = off).
  357. PARAMETER_CTRL_CHANNEL = -8
  358. # Max value, defined only for convenience.
  359. PARAMETER_MAX = -9
  360. # ------------------------------------------------------------------------------------------------------------
  361. # Engine Callback Opcode
  362. # Engine callback opcodes.
  363. # Front-ends must never block indefinitely during a callback.
  364. # @see EngineCallbackFunc and carla_set_engine_callback()
  365. # Debug.
  366. # This opcode is undefined and used only for testing purposes.
  367. ENGINE_CALLBACK_DEBUG = 0
  368. # A plugin has been added.
  369. # @a pluginId Plugin Id
  370. # @a valueStr Plugin name
  371. ENGINE_CALLBACK_PLUGIN_ADDED = 1
  372. # A plugin has been removed.
  373. # @a pluginId Plugin Id
  374. ENGINE_CALLBACK_PLUGIN_REMOVED = 2
  375. # A plugin has been renamed.
  376. # @a pluginId Plugin Id
  377. # @a valueStr New plugin name
  378. ENGINE_CALLBACK_PLUGIN_RENAMED = 3
  379. # A plugin has become unavailable.
  380. # @a pluginId Plugin Id
  381. # @a valueStr Related error string
  382. ENGINE_CALLBACK_PLUGIN_UNAVAILABLE = 4
  383. # A parameter value has changed.
  384. # @a pluginId Plugin Id
  385. # @a value1 Parameter index
  386. # @a value3 New parameter value
  387. ENGINE_CALLBACK_PARAMETER_VALUE_CHANGED = 5
  388. # A parameter default has changed.
  389. # @a pluginId Plugin Id
  390. # @a value1 Parameter index
  391. # @a value3 New default value
  392. ENGINE_CALLBACK_PARAMETER_DEFAULT_CHANGED = 6
  393. # A parameter's MIDI CC has changed.
  394. # @a pluginId Plugin Id
  395. # @a value1 Parameter index
  396. # @a value2 New MIDI CC
  397. ENGINE_CALLBACK_PARAMETER_MIDI_CC_CHANGED = 7
  398. # A parameter's MIDI channel has changed.
  399. # @a pluginId Plugin Id
  400. # @a value1 Parameter index
  401. # @a value2 New MIDI channel
  402. ENGINE_CALLBACK_PARAMETER_MIDI_CHANNEL_CHANGED = 8
  403. # A plugin option has changed.
  404. # @a pluginId Plugin Id
  405. # @a value1 Option
  406. # @a value2 New on/off state (1 for on, 0 for off)
  407. # @see PluginOptions
  408. ENGINE_CALLBACK_OPTION_CHANGED = 9
  409. # The current program of a plugin has changed.
  410. # @a pluginId Plugin Id
  411. # @a value1 New program index
  412. ENGINE_CALLBACK_PROGRAM_CHANGED = 10
  413. # The current MIDI program of a plugin has changed.
  414. # @a pluginId Plugin Id
  415. # @a value1 New MIDI program index
  416. ENGINE_CALLBACK_MIDI_PROGRAM_CHANGED = 11
  417. # A plugin's custom UI state has changed.
  418. # @a pluginId Plugin Id
  419. # @a value1 New state, as follows:
  420. # 0: UI is now hidden
  421. # 1: UI is now visible
  422. # -1: UI has crashed and should not be shown again
  423. ENGINE_CALLBACK_UI_STATE_CHANGED = 12
  424. # A note has been pressed.
  425. # @a pluginId Plugin Id
  426. # @a value1 Channel
  427. # @a value2 Note
  428. # @a value3 Velocity
  429. ENGINE_CALLBACK_NOTE_ON = 13
  430. # A note has been released.
  431. # @a pluginId Plugin Id
  432. # @a value1 Channel
  433. # @a value2 Note
  434. ENGINE_CALLBACK_NOTE_OFF = 14
  435. # A plugin needs update.
  436. # @a pluginId Plugin Id
  437. ENGINE_CALLBACK_UPDATE = 15
  438. # A plugin's data/information has changed.
  439. # @a pluginId Plugin Id
  440. ENGINE_CALLBACK_RELOAD_INFO = 16
  441. # A plugin's parameters have changed.
  442. # @a pluginId Plugin Id
  443. ENGINE_CALLBACK_RELOAD_PARAMETERS = 17
  444. # A plugin's programs have changed.
  445. # @a pluginId Plugin Id
  446. ENGINE_CALLBACK_RELOAD_PROGRAMS = 18
  447. # A plugin state has changed.
  448. # @a pluginId Plugin Id
  449. ENGINE_CALLBACK_RELOAD_ALL = 19
  450. # A patchbay client has been added.
  451. # @a pluginId Client Id
  452. # @a value1 Client icon
  453. # @a value2 Plugin Id (-1 if not a plugin)
  454. # @a valueStr Client name
  455. # @see PatchbayIcon
  456. ENGINE_CALLBACK_PATCHBAY_CLIENT_ADDED = 20
  457. # A patchbay client has been removed.
  458. # @a pluginId Client Id
  459. ENGINE_CALLBACK_PATCHBAY_CLIENT_REMOVED = 21
  460. # A patchbay client has been renamed.
  461. # @a pluginId Client Id
  462. # @a valueStr New client name
  463. ENGINE_CALLBACK_PATCHBAY_CLIENT_RENAMED = 22
  464. # A patchbay client data has changed.
  465. # @a pluginId Client Id
  466. # @a value1 New icon
  467. # @a value2 New plugin Id (-1 if not a plugin)
  468. # @see PatchbayIcon
  469. ENGINE_CALLBACK_PATCHBAY_CLIENT_DATA_CHANGED = 23
  470. # A patchbay port has been added.
  471. # @a pluginId Client Id
  472. # @a value1 Port Id
  473. # @a value2 Port hints
  474. # @a valueStr Port name
  475. # @see PatchbayPortHints
  476. ENGINE_CALLBACK_PATCHBAY_PORT_ADDED = 24
  477. # A patchbay port has been removed.
  478. # @a pluginId Client Id
  479. # @a value1 Port Id
  480. ENGINE_CALLBACK_PATCHBAY_PORT_REMOVED = 25
  481. # A patchbay port has been renamed.
  482. # @a pluginId Client Id
  483. # @a value1 Port Id
  484. # @a valueStr New port name
  485. ENGINE_CALLBACK_PATCHBAY_PORT_RENAMED = 26
  486. # A patchbay connection has been added.
  487. # @a pluginId Connection Id
  488. # @a valueStr Out group, port plus in group and port, in "og:op:ig:ip" syntax.
  489. ENGINE_CALLBACK_PATCHBAY_CONNECTION_ADDED = 27
  490. # A patchbay connection has been removed.
  491. # @a pluginId Connection Id
  492. ENGINE_CALLBACK_PATCHBAY_CONNECTION_REMOVED = 28
  493. # Engine started.
  494. # @a value1 Process mode
  495. # @a value2 Transport mode
  496. # @a valuestr Engine driver
  497. # @see EngineProcessMode
  498. # @see EngineTransportMode
  499. ENGINE_CALLBACK_ENGINE_STARTED = 29
  500. # Engine stopped.
  501. ENGINE_CALLBACK_ENGINE_STOPPED = 30
  502. # Engine process mode has changed.
  503. # @a value1 New process mode
  504. # @see EngineProcessMode
  505. ENGINE_CALLBACK_PROCESS_MODE_CHANGED = 31
  506. # Engine transport mode has changed.
  507. # @a value1 New transport mode
  508. # @see EngineTransportMode
  509. ENGINE_CALLBACK_TRANSPORT_MODE_CHANGED = 32
  510. # Engine buffer-size changed.
  511. # @a value1 New buffer size
  512. ENGINE_CALLBACK_BUFFER_SIZE_CHANGED = 33
  513. # Engine sample-rate changed.
  514. # @a value3 New sample rate
  515. ENGINE_CALLBACK_SAMPLE_RATE_CHANGED = 34
  516. # Project has finished loading.
  517. ENGINE_CALLBACK_PROJECT_LOAD_FINISHED = 35
  518. # NSM callback.
  519. # (Work in progress, values are not defined yet)
  520. ENGINE_CALLBACK_NSM = 36
  521. # Idle frontend.
  522. # This is used by the engine during long operations that might block the frontend,
  523. # giving it the possibility to idle while the operation is still in place.
  524. ENGINE_CALLBACK_IDLE = 37
  525. # Show a message as information.
  526. # @a valueStr The message
  527. ENGINE_CALLBACK_INFO = 38
  528. # Show a message as an error.
  529. # @a valueStr The message
  530. ENGINE_CALLBACK_ERROR = 39
  531. # The engine has crashed or malfunctioned and will no longer work.
  532. ENGINE_CALLBACK_QUIT = 40
  533. # ------------------------------------------------------------------------------------------------------------
  534. # Engine Option
  535. # Engine options.
  536. # @see carla_set_engine_option()
  537. # Debug.
  538. # This option is undefined and used only for testing purposes.
  539. ENGINE_OPTION_DEBUG = 0
  540. # Set the engine processing mode.
  541. # Default is ENGINE_PROCESS_MODE_MULTIPLE_CLIENTS on Linux and ENGINE_PROCESS_MODE_CONTINUOUS_RACK for all other OSes.
  542. # @see EngineProcessMode
  543. ENGINE_OPTION_PROCESS_MODE = 1
  544. # Set the engine transport mode.
  545. # Default is ENGINE_TRANSPORT_MODE_JACK on Linux and ENGINE_TRANSPORT_MODE_INTERNAL for all other OSes.
  546. # @see EngineTransportMode
  547. ENGINE_OPTION_TRANSPORT_MODE = 2
  548. # Force mono plugins as stereo, by running 2 instances at the same time.
  549. # Default is false, but always true when process mode is ENGINE_PROCESS_MODE_CONTINUOUS_RACK.
  550. # @note Not supported by all plugins
  551. # @see PLUGIN_OPTION_FORCE_STEREO
  552. ENGINE_OPTION_FORCE_STEREO = 3
  553. # Use plugin bridges whenever possible.
  554. # Default is no, EXPERIMENTAL.
  555. ENGINE_OPTION_PREFER_PLUGIN_BRIDGES = 4
  556. # Use UI bridges whenever possible, otherwise UIs will be directly handled in the main backend thread.
  557. # Default is yes.
  558. ENGINE_OPTION_PREFER_UI_BRIDGES = 5
  559. # Make custom plugin UIs always-on-top.
  560. # Default is yes.
  561. ENGINE_OPTION_UIS_ALWAYS_ON_TOP = 6
  562. # Maximum number of parameters allowed.
  563. # Default is MAX_DEFAULT_PARAMETERS.
  564. ENGINE_OPTION_MAX_PARAMETERS = 7
  565. # Timeout value for how much to wait for UI bridges to respond, in milliseconds.
  566. # Default is 4000 (4 seconds).
  567. ENGINE_OPTION_UI_BRIDGES_TIMEOUT = 8
  568. # Number of audio periods.
  569. # Default is 2.
  570. ENGINE_OPTION_AUDIO_NUM_PERIODS = 9
  571. # Audio buffer size.
  572. # Default is 512.
  573. ENGINE_OPTION_AUDIO_BUFFER_SIZE = 10
  574. # Audio sample rate.
  575. # Default is 44100.
  576. ENGINE_OPTION_AUDIO_SAMPLE_RATE = 11
  577. # Audio device (within a driver).
  578. # Default unset.
  579. ENGINE_OPTION_AUDIO_DEVICE = 12
  580. # Set path used for a specific plugin type.
  581. # Uses value as the plugin format, valueStr as actual path.
  582. # @see PluginType
  583. ENGINE_OPTION_PLUGIN_PATH = 13
  584. # Set path to the binary files.
  585. # Default unset.
  586. # @note Must be set for plugin and UI bridges to work
  587. ENGINE_OPTION_PATH_BINARIES = 14
  588. # Set path to the resource files.
  589. # Default unset.
  590. # @note Must be set for some internal plugins to work
  591. ENGINE_OPTION_PATH_RESOURCES = 15
  592. # Prevent bad plugin and UI behaviour.
  593. # @note: Linux only
  594. ENGINE_OPTION_PREVENT_BAD_BEHAVIOUR = 16
  595. # Set frontend winId, used to define as parent window for plugin UIs.
  596. ENGINE_OPTION_FRONTEND_WIN_ID = 17
  597. # Set path to wine executable.
  598. ENGINE_OPTION_WINE_EXECUTABLE = 18
  599. # Enable automatic wineprefix detection.
  600. ENGINE_OPTION_WINE_AUTO_PREFIX = 19
  601. # Fallback wineprefix to use if automatic detection fails or is disabled, and WINEPREFIX is not set.
  602. ENGINE_OPTION_WINE_FALLBACK_PREFIX = 20
  603. # Enable realtime priority for Wine application and server threads.
  604. ENGINE_OPTION_WINE_RT_PRIO_ENABLED = 21
  605. # Base realtime priority for Wine threads.
  606. ENGINE_OPTION_WINE_BASE_RT_PRIO = 22
  607. # Wine server realtime priority.
  608. ENGINE_OPTION_WINE_SERVER_RT_PRIO = 23
  609. # Capture console output into debug callbacks
  610. ENGINE_OPTION_DEBUG_CONSOLE_OUTPUT = 24
  611. # ------------------------------------------------------------------------------------------------------------
  612. # Engine Process Mode
  613. # Engine process mode.
  614. # @see ENGINE_OPTION_PROCESS_MODE
  615. # Single client mode.
  616. # Inputs and outputs are added dynamically as needed by plugins.
  617. ENGINE_PROCESS_MODE_SINGLE_CLIENT = 0
  618. # Multiple client mode.
  619. # It has 1 master client + 1 client per plugin.
  620. ENGINE_PROCESS_MODE_MULTIPLE_CLIENTS = 1
  621. # Single client, 'rack' mode.
  622. # Processes plugins in order of Id, with forced stereo always on.
  623. ENGINE_PROCESS_MODE_CONTINUOUS_RACK = 2
  624. # Single client, 'patchbay' mode.
  625. ENGINE_PROCESS_MODE_PATCHBAY = 3
  626. # Special mode, used in plugin-bridges only.
  627. ENGINE_PROCESS_MODE_BRIDGE = 4
  628. # ------------------------------------------------------------------------------------------------------------
  629. # Engine Transport Mode
  630. # Engine transport mode.
  631. # @see ENGINE_OPTION_TRANSPORT_MODE
  632. # No transport.
  633. ENGINE_TRANSPORT_MODE_DISABLED = 0
  634. # Internal transport mode.
  635. ENGINE_TRANSPORT_MODE_INTERNAL = 1
  636. # Transport from JACK.
  637. # Only available if driver name is "JACK".
  638. ENGINE_TRANSPORT_MODE_JACK = 2
  639. # Transport from host, used when Carla is a plugin.
  640. ENGINE_TRANSPORT_MODE_PLUGIN = 3
  641. # Special mode, used in plugin-bridges only.
  642. ENGINE_TRANSPORT_MODE_BRIDGE = 4
  643. # ------------------------------------------------------------------------------------------------------------
  644. # File Callback Opcode
  645. # File callback opcodes.
  646. # Front-ends must always block-wait for user input.
  647. # @see FileCallbackFunc and carla_set_file_callback()
  648. # Debug.
  649. # This opcode is undefined and used only for testing purposes.
  650. FILE_CALLBACK_DEBUG = 0
  651. # Open file or folder.
  652. FILE_CALLBACK_OPEN = 1
  653. # Save file or folder.
  654. FILE_CALLBACK_SAVE = 2
  655. # ------------------------------------------------------------------------------------------------------------
  656. # Patchbay Icon
  657. # The icon of a patchbay client/group.
  658. # Generic application icon.
  659. # Used for all non-plugin clients that don't have a specific icon.
  660. PATCHBAY_ICON_APPLICATION = 0
  661. # Plugin icon.
  662. # Used for all plugin clients that don't have a specific icon.
  663. PATCHBAY_ICON_PLUGIN = 1
  664. # Hardware icon.
  665. # Used for hardware (audio or MIDI) clients.
  666. PATCHBAY_ICON_HARDWARE = 2
  667. # Carla icon.
  668. # Used for the main app.
  669. PATCHBAY_ICON_CARLA = 3
  670. # DISTRHO icon.
  671. # Used for DISTRHO based plugins.
  672. PATCHBAY_ICON_DISTRHO = 4
  673. # File icon.
  674. # Used for file type plugins (like GIG and SF2).
  675. PATCHBAY_ICON_FILE = 5
  676. # ------------------------------------------------------------------------------------------------------------
  677. # Carla Backend API (C stuff)
  678. # Engine callback function.
  679. # Front-ends must never block indefinitely during a callback.
  680. # @see EngineCallbackOpcode and carla_set_engine_callback()
  681. EngineCallbackFunc = CFUNCTYPE(None, c_void_p, c_enum, c_uint, c_int, c_int, c_float, c_char_p)
  682. # File callback function.
  683. # @see FileCallbackOpcode
  684. FileCallbackFunc = CFUNCTYPE(c_char_p, c_void_p, c_enum, c_bool, c_char_p, c_char_p)
  685. # Parameter data.
  686. class ParameterData(Structure):
  687. _fields_ = [
  688. # This parameter type.
  689. ("type", c_enum),
  690. # This parameter hints.
  691. # @see ParameterHints
  692. ("hints", c_uint),
  693. # Index as seen by Carla.
  694. ("index", c_int32),
  695. # Real index as seen by plugins.
  696. ("rindex", c_int32),
  697. # Currently mapped MIDI CC.
  698. # A value lower than 0 means invalid or unused.
  699. # Maximum allowed value is 119 (0x77).
  700. ("midiCC", c_int16),
  701. # Currently mapped MIDI channel.
  702. # Counts from 0 to 15.
  703. ("midiChannel", c_uint8)
  704. ]
  705. # Parameter ranges.
  706. class ParameterRanges(Structure):
  707. _fields_ = [
  708. # Default value.
  709. ("def", c_float),
  710. # Minimum value.
  711. ("min", c_float),
  712. # Maximum value.
  713. ("max", c_float),
  714. # Regular, single step value.
  715. ("step", c_float),
  716. # Small step value.
  717. ("stepSmall", c_float),
  718. # Large step value.
  719. ("stepLarge", c_float)
  720. ]
  721. # MIDI Program data.
  722. class MidiProgramData(Structure):
  723. _fields_ = [
  724. # MIDI bank.
  725. ("bank", c_uint32),
  726. # MIDI program.
  727. ("program", c_uint32),
  728. # MIDI program name.
  729. ("name", c_char_p)
  730. ]
  731. # Custom data, used for saving key:value 'dictionaries'.
  732. class CustomData(Structure):
  733. _fields_ = [
  734. # Value type, in URI form.
  735. # @see CustomDataTypes
  736. ("type", c_char_p),
  737. # Key.
  738. # @see CustomDataKeys
  739. ("key", c_char_p),
  740. # Value.
  741. ("value", c_char_p)
  742. ]
  743. # Engine driver device information.
  744. class EngineDriverDeviceInfo(Structure):
  745. _fields_ = [
  746. # This driver device hints.
  747. # @see EngineDriverHints
  748. ("hints", c_uint),
  749. # Available buffer sizes.
  750. # Terminated with 0.
  751. ("bufferSizes", POINTER(c_uint32)),
  752. # Available sample rates.
  753. # Terminated with 0.0.
  754. ("sampleRates", POINTER(c_double))
  755. ]
  756. # ------------------------------------------------------------------------------------------------------------
  757. # Carla Backend API (Python compatible stuff)
  758. # @see ParameterData
  759. PyParameterData = {
  760. 'type': PARAMETER_UNKNOWN,
  761. 'hints': 0x0,
  762. 'index': PARAMETER_NULL,
  763. 'rindex': -1,
  764. 'midiCC': -1,
  765. 'midiChannel': 0
  766. }
  767. # @see ParameterRanges
  768. PyParameterRanges = {
  769. 'def': 0.0,
  770. 'min': 0.0,
  771. 'max': 1.0,
  772. 'step': 0.01,
  773. 'stepSmall': 0.0001,
  774. 'stepLarge': 0.1
  775. }
  776. # @see MidiProgramData
  777. PyMidiProgramData = {
  778. 'bank': 0,
  779. 'program': 0,
  780. 'name': None
  781. }
  782. # @see CustomData
  783. PyCustomData = {
  784. 'type': None,
  785. 'key': None,
  786. 'value': None
  787. }
  788. # @see EngineDriverDeviceInfo
  789. PyEngineDriverDeviceInfo = {
  790. 'hints': 0x0,
  791. 'bufferSizes': [],
  792. 'sampleRates': []
  793. }
  794. # ------------------------------------------------------------------------------------------------------------
  795. # Carla Host API (C stuff)
  796. # Information about a loaded plugin.
  797. # @see carla_get_plugin_info()
  798. class CarlaPluginInfo(Structure):
  799. _fields_ = [
  800. # Plugin type.
  801. ("type", c_enum),
  802. # Plugin category.
  803. ("category", c_enum),
  804. # Plugin hints.
  805. # @see PluginHints
  806. ("hints", c_uint),
  807. # Plugin options available for the user to change.
  808. # @see PluginOptions
  809. ("optionsAvailable", c_uint),
  810. # Plugin options currently enabled.
  811. # Some options are enabled but not available, which means they will always be on.
  812. # @see PluginOptions
  813. ("optionsEnabled", c_uint),
  814. # Plugin filename.
  815. # This can be the plugin binary or resource file.
  816. ("filename", c_char_p),
  817. # Plugin name.
  818. # This name is unique within a Carla instance.
  819. # @see carla_get_real_plugin_name()
  820. ("name", c_char_p),
  821. # Plugin label or URI.
  822. ("label", c_char_p),
  823. # Plugin author/maker.
  824. ("maker", c_char_p),
  825. # Plugin copyright/license.
  826. ("copyright", c_char_p),
  827. # Icon name for this plugin, in lowercase.
  828. # Default is "plugin".
  829. ("iconName", c_char_p),
  830. # Plugin unique Id.
  831. # This Id is dependant on the plugin type and may sometimes be 0.
  832. ("uniqueId", c_int64)
  833. ]
  834. # Port count information, used for Audio and MIDI ports and parameters.
  835. # @see carla_get_audio_port_count_info()
  836. # @see carla_get_midi_port_count_info()
  837. # @see carla_get_parameter_count_info()
  838. class CarlaPortCountInfo(Structure):
  839. _fields_ = [
  840. # Number of inputs.
  841. ("ins", c_uint32),
  842. # Number of outputs.
  843. ("outs", c_uint32)
  844. ]
  845. # Parameter information.
  846. # @see carla_get_parameter_info()
  847. class CarlaParameterInfo(Structure):
  848. _fields_ = [
  849. # Parameter name.
  850. ("name", c_char_p),
  851. # Parameter symbol.
  852. ("symbol", c_char_p),
  853. # Parameter unit.
  854. ("unit", c_char_p),
  855. # Number of scale points.
  856. # @see CarlaScalePointInfo
  857. ("scalePointCount", c_uint32)
  858. ]
  859. # Parameter scale point information.
  860. # @see carla_get_parameter_scalepoint_info()
  861. class CarlaScalePointInfo(Structure):
  862. _fields_ = [
  863. # Scale point value.
  864. ("value", c_float),
  865. # Scale point label.
  866. ("label", c_char_p)
  867. ]
  868. # Transport information.
  869. # @see carla_get_transport_info()
  870. class CarlaTransportInfo(Structure):
  871. _fields_ = [
  872. # Wherever transport is playing.
  873. ("playing", c_bool),
  874. # Current transport frame.
  875. ("frame", c_uint64),
  876. # Bar
  877. ("bar", c_int32),
  878. # Beat
  879. ("beat", c_int32),
  880. # Tick
  881. ("tick", c_int32),
  882. # Beats per minute.
  883. ("bpm", c_double)
  884. ]
  885. # Image data for LV2 inline display API.
  886. # raw image pixmap format is ARGB32,
  887. class CarlaInlineDisplayImageSurface(Structure):
  888. _fields_ = [
  889. ("data", POINTER(c_ubyte)),
  890. ("width", c_int),
  891. ("height", c_int),
  892. ("stride", c_int)
  893. ]
  894. # ------------------------------------------------------------------------------------------------------------
  895. # Carla Host API (Python compatible stuff)
  896. # @see CarlaPluginInfo
  897. PyCarlaPluginInfo = {
  898. 'type': PLUGIN_NONE,
  899. 'category': PLUGIN_CATEGORY_NONE,
  900. 'hints': 0x0,
  901. 'optionsAvailable': 0x0,
  902. 'optionsEnabled': 0x0,
  903. 'filename': "",
  904. 'name': "",
  905. 'label': "",
  906. 'maker': "",
  907. 'copyright': "",
  908. 'iconName': "",
  909. 'uniqueId': 0
  910. }
  911. # @see CarlaPortCountInfo
  912. PyCarlaPortCountInfo = {
  913. 'ins': 0,
  914. 'outs': 0
  915. }
  916. # @see CarlaParameterInfo
  917. PyCarlaParameterInfo = {
  918. 'name': "",
  919. 'symbol': "",
  920. 'unit': "",
  921. 'scalePointCount': 0,
  922. }
  923. # @see CarlaScalePointInfo
  924. PyCarlaScalePointInfo = {
  925. 'value': 0.0,
  926. 'label': ""
  927. }
  928. # @see CarlaTransportInfo
  929. PyCarlaTransportInfo = {
  930. "playing": False,
  931. "frame": 0,
  932. "bar": 0,
  933. "beat": 0,
  934. "tick": 0,
  935. "bpm": 0.0
  936. }
  937. # ------------------------------------------------------------------------------------------------------------
  938. # Set BINARY_NATIVE
  939. if WINDOWS:
  940. BINARY_NATIVE = BINARY_WIN64 if kIs64bit else BINARY_WIN32
  941. else:
  942. BINARY_NATIVE = BINARY_POSIX64 if kIs64bit else BINARY_POSIX32
  943. # ------------------------------------------------------------------------------------------------------------
  944. # Carla Host object (Meta)
  945. class CarlaHostMeta(object):
  946. #class CarlaHostMeta(object, metaclass=ABCMeta):
  947. def __init__(self):
  948. object.__init__(self)
  949. # info about this host object
  950. self.isControl = False
  951. self.isPlugin = False
  952. self.nsmOK = False
  953. # settings
  954. self.processMode = ENGINE_PROCESS_MODE_PATCHBAY
  955. self.transportMode = ENGINE_TRANSPORT_MODE_INTERNAL
  956. self.nextProcessMode = self.processMode
  957. self.processModeForced = False
  958. self.audioDriverForced = None
  959. # settings
  960. self.experimental = False
  961. self.exportLV2 = False
  962. self.forceStereo = False
  963. self.manageUIs = False
  964. self.maxParameters = 0
  965. self.preferPluginBridges = False
  966. self.preferUIBridges = False
  967. self.preventBadBehaviour = False
  968. self.showLogs = False
  969. self.showPluginBridges = False
  970. self.showWineBridges = False
  971. self.uiBridgesTimeout = 0
  972. self.uisAlwaysOnTop = False
  973. # settings
  974. self.pathBinaries = ""
  975. self.pathResources = ""
  976. # Get how many engine drivers are available.
  977. @abstractmethod
  978. def get_engine_driver_count(self):
  979. raise NotImplementedError
  980. # Get an engine driver name.
  981. # @param index Driver index
  982. @abstractmethod
  983. def get_engine_driver_name(self, index):
  984. raise NotImplementedError
  985. # Get the device names of an engine driver.
  986. # @param index Driver index
  987. @abstractmethod
  988. def get_engine_driver_device_names(self, index):
  989. raise NotImplementedError
  990. # Get information about a device driver.
  991. # @param index Driver index
  992. # @param name Device name
  993. @abstractmethod
  994. def get_engine_driver_device_info(self, index, name):
  995. raise NotImplementedError
  996. # Initialize the engine.
  997. # Make sure to call carla_engine_idle() at regular intervals afterwards.
  998. # @param driverName Driver to use
  999. # @param clientName Engine master client name
  1000. @abstractmethod
  1001. def engine_init(self, driverName, clientName):
  1002. raise NotImplementedError
  1003. # Close the engine.
  1004. # This function always closes the engine even if it returns false.
  1005. # In other words, even when something goes wrong when closing the engine it still be closed nonetheless.
  1006. @abstractmethod
  1007. def engine_close(self):
  1008. raise NotImplementedError
  1009. # Idle the engine.
  1010. # Do not call this if the engine is not running.
  1011. @abstractmethod
  1012. def engine_idle(self):
  1013. raise NotImplementedError
  1014. # Check if the engine is running.
  1015. @abstractmethod
  1016. def is_engine_running(self):
  1017. raise NotImplementedError
  1018. # Tell the engine it's about to close.
  1019. # This is used to prevent the engine thread(s) from reactivating.
  1020. @abstractmethod
  1021. def set_engine_about_to_close(self):
  1022. raise NotImplementedError
  1023. # Set the engine callback function.
  1024. # @param func Callback function
  1025. @abstractmethod
  1026. def set_engine_callback(self, func):
  1027. raise NotImplementedError
  1028. # Set an engine option.
  1029. # @param option Option
  1030. # @param value Value as number
  1031. # @param valueStr Value as string
  1032. @abstractmethod
  1033. def set_engine_option(self, option, value, valueStr):
  1034. raise NotImplementedError
  1035. # Set the file callback function.
  1036. # @param func Callback function
  1037. # @param ptr Callback pointer
  1038. @abstractmethod
  1039. def set_file_callback(self, func):
  1040. raise NotImplementedError
  1041. # Load a file of any type.
  1042. # This will try to load a generic file as a plugin,
  1043. # either by direct handling (GIG, SF2 and SFZ) or by using an internal plugin (like Audio and MIDI).
  1044. # @see carla_get_supported_file_extensions()
  1045. @abstractmethod
  1046. def load_file(self, filename):
  1047. raise NotImplementedError
  1048. # Load a Carla project file.
  1049. # @note Currently loaded plugins are not removed; call carla_remove_all_plugins() first if needed.
  1050. @abstractmethod
  1051. def load_project(self, filename):
  1052. raise NotImplementedError
  1053. # Save current project to a file.
  1054. @abstractmethod
  1055. def save_project(self, filename):
  1056. raise NotImplementedError
  1057. # Connect two patchbay ports.
  1058. # @param groupIdA Output group
  1059. # @param portIdA Output port
  1060. # @param groupIdB Input group
  1061. # @param portIdB Input port
  1062. # @see ENGINE_CALLBACK_PATCHBAY_CONNECTION_ADDED
  1063. @abstractmethod
  1064. def patchbay_connect(self, groupIdA, portIdA, groupIdB, portIdB):
  1065. raise NotImplementedError
  1066. # Disconnect two patchbay ports.
  1067. # @param connectionId Connection Id
  1068. # @see ENGINE_CALLBACK_PATCHBAY_CONNECTION_REMOVED
  1069. @abstractmethod
  1070. def patchbay_disconnect(self, connectionId):
  1071. raise NotImplementedError
  1072. # Force the engine to resend all patchbay clients, ports and connections again.
  1073. # @param external Wherever to show external/hardware ports instead of internal ones.
  1074. # Only valid in patchbay engine mode, other modes will ignore this.
  1075. @abstractmethod
  1076. def patchbay_refresh(self, external):
  1077. raise NotImplementedError
  1078. # Start playback of the engine transport.
  1079. @abstractmethod
  1080. def transport_play(self):
  1081. raise NotImplementedError
  1082. # Pause the engine transport.
  1083. @abstractmethod
  1084. def transport_pause(self):
  1085. raise NotImplementedError
  1086. # Pause the engine transport.
  1087. @abstractmethod
  1088. def transport_bpm(self, bpm):
  1089. raise NotImplementedError
  1090. # Relocate the engine transport to a specific frame.
  1091. @abstractmethod
  1092. def transport_relocate(self, frame):
  1093. raise NotImplementedError
  1094. # Get the current transport frame.
  1095. @abstractmethod
  1096. def get_current_transport_frame(self):
  1097. raise NotImplementedError
  1098. # Get the engine transport information.
  1099. @abstractmethod
  1100. def get_transport_info(self):
  1101. raise NotImplementedError
  1102. # Current number of plugins loaded.
  1103. @abstractmethod
  1104. def get_current_plugin_count(self):
  1105. raise NotImplementedError
  1106. # Maximum number of loadable plugins allowed.
  1107. # Returns 0 if engine is not started.
  1108. @abstractmethod
  1109. def get_max_plugin_number(self):
  1110. raise NotImplementedError
  1111. # Add a new plugin.
  1112. # If you don't know the binary type use the BINARY_NATIVE macro.
  1113. # @param btype Binary type
  1114. # @param ptype Plugin type
  1115. # @param filename Filename, if applicable
  1116. # @param name Name of the plugin, can be NULL
  1117. # @param label Plugin label, if applicable
  1118. # @param uniqueId Plugin unique Id, if applicable
  1119. # @param extraPtr Extra pointer, defined per plugin type
  1120. # @param options Initial plugin options
  1121. @abstractmethod
  1122. def add_plugin(self, btype, ptype, filename, name, label, uniqueId, extraPtr, options):
  1123. raise NotImplementedError
  1124. # Remove a plugin.
  1125. # @param pluginId Plugin to remove.
  1126. @abstractmethod
  1127. def remove_plugin(self, pluginId):
  1128. raise NotImplementedError
  1129. # Remove all plugins.
  1130. @abstractmethod
  1131. def remove_all_plugins(self):
  1132. raise NotImplementedError
  1133. # Rename a plugin.
  1134. # Returns the new name, or NULL if the operation failed.
  1135. # @param pluginId Plugin to rename
  1136. # @param newName New plugin name
  1137. @abstractmethod
  1138. def rename_plugin(self, pluginId, newName):
  1139. raise NotImplementedError
  1140. # Clone a plugin.
  1141. # @param pluginId Plugin to clone
  1142. @abstractmethod
  1143. def clone_plugin(self, pluginId):
  1144. raise NotImplementedError
  1145. # Prepare replace of a plugin.
  1146. # The next call to carla_add_plugin() will use this id, replacing the current plugin.
  1147. # @param pluginId Plugin to replace
  1148. # @note This function requires carla_add_plugin() to be called afterwards *as soon as possible*.
  1149. @abstractmethod
  1150. def replace_plugin(self, pluginId):
  1151. raise NotImplementedError
  1152. # Switch two plugins positions.
  1153. # @param pluginIdA Plugin A
  1154. # @param pluginIdB Plugin B
  1155. @abstractmethod
  1156. def switch_plugins(self, pluginIdA, pluginIdB):
  1157. raise NotImplementedError
  1158. # Load a plugin state.
  1159. # @param pluginId Plugin
  1160. # @param filename Path to plugin state
  1161. # @see carla_save_plugin_state()
  1162. @abstractmethod
  1163. def load_plugin_state(self, pluginId, filename):
  1164. raise NotImplementedError
  1165. # Save a plugin state.
  1166. # @param pluginId Plugin
  1167. # @param filename Path to plugin state
  1168. # @see carla_load_plugin_state()
  1169. @abstractmethod
  1170. def save_plugin_state(self, pluginId, filename):
  1171. raise NotImplementedError
  1172. # Export plugin as LV2.
  1173. # @param pluginId Plugin
  1174. # @param lv2path Path to lv2 plugin folder
  1175. def export_plugin_lv2(self, pluginId, lv2path):
  1176. raise NotImplementedError
  1177. # Get information from a plugin.
  1178. # @param pluginId Plugin
  1179. @abstractmethod
  1180. def get_plugin_info(self, pluginId):
  1181. raise NotImplementedError
  1182. # Get audio port count information from a plugin.
  1183. # @param pluginId Plugin
  1184. @abstractmethod
  1185. def get_audio_port_count_info(self, pluginId):
  1186. raise NotImplementedError
  1187. # Get MIDI port count information from a plugin.
  1188. # @param pluginId Plugin
  1189. @abstractmethod
  1190. def get_midi_port_count_info(self, pluginId):
  1191. raise NotImplementedError
  1192. # Get parameter count information from a plugin.
  1193. # @param pluginId Plugin
  1194. @abstractmethod
  1195. def get_parameter_count_info(self, pluginId):
  1196. raise NotImplementedError
  1197. # Get parameter information from a plugin.
  1198. # @param pluginId Plugin
  1199. # @param parameterId Parameter index
  1200. # @see carla_get_parameter_count()
  1201. @abstractmethod
  1202. def get_parameter_info(self, pluginId, parameterId):
  1203. raise NotImplementedError
  1204. # Get parameter scale point information from a plugin.
  1205. # @param pluginId Plugin
  1206. # @param parameterId Parameter index
  1207. # @param scalePointId Parameter scale-point index
  1208. # @see CarlaParameterInfo::scalePointCount
  1209. @abstractmethod
  1210. def get_parameter_scalepoint_info(self, pluginId, parameterId, scalePointId):
  1211. raise NotImplementedError
  1212. # Get a plugin's parameter data.
  1213. # @param pluginId Plugin
  1214. # @param parameterId Parameter index
  1215. # @see carla_get_parameter_count()
  1216. @abstractmethod
  1217. def get_parameter_data(self, pluginId, parameterId):
  1218. raise NotImplementedError
  1219. # Get a plugin's parameter ranges.
  1220. # @param pluginId Plugin
  1221. # @param parameterId Parameter index
  1222. # @see carla_get_parameter_count()
  1223. @abstractmethod
  1224. def get_parameter_ranges(self, pluginId, parameterId):
  1225. raise NotImplementedError
  1226. # Get a plugin's MIDI program data.
  1227. # @param pluginId Plugin
  1228. # @param midiProgramId MIDI Program index
  1229. # @see carla_get_midi_program_count()
  1230. @abstractmethod
  1231. def get_midi_program_data(self, pluginId, midiProgramId):
  1232. raise NotImplementedError
  1233. # Get a plugin's custom data.
  1234. # @param pluginId Plugin
  1235. # @param customDataId Custom data index
  1236. # @see carla_get_custom_data_count()
  1237. @abstractmethod
  1238. def get_custom_data(self, pluginId, customDataId):
  1239. raise NotImplementedError
  1240. # Get a plugin's chunk data.
  1241. # @param pluginId Plugin
  1242. # @see PLUGIN_OPTION_USE_CHUNKS
  1243. @abstractmethod
  1244. def get_chunk_data(self, pluginId):
  1245. raise NotImplementedError
  1246. # Get how many parameters a plugin has.
  1247. # @param pluginId Plugin
  1248. @abstractmethod
  1249. def get_parameter_count(self, pluginId):
  1250. raise NotImplementedError
  1251. # Get how many programs a plugin has.
  1252. # @param pluginId Plugin
  1253. # @see carla_get_program_name()
  1254. @abstractmethod
  1255. def get_program_count(self, pluginId):
  1256. raise NotImplementedError
  1257. # Get how many MIDI programs a plugin has.
  1258. # @param pluginId Plugin
  1259. # @see carla_get_midi_program_name() and carla_get_midi_program_data()
  1260. @abstractmethod
  1261. def get_midi_program_count(self, pluginId):
  1262. raise NotImplementedError
  1263. # Get how many custom data sets a plugin has.
  1264. # @param pluginId Plugin
  1265. # @see carla_get_custom_data()
  1266. @abstractmethod
  1267. def get_custom_data_count(self, pluginId):
  1268. raise NotImplementedError
  1269. # Get a plugin's parameter text (custom display of internal values).
  1270. # @param pluginId Plugin
  1271. # @param parameterId Parameter index
  1272. # @see PARAMETER_USES_CUSTOM_TEXT
  1273. @abstractmethod
  1274. def get_parameter_text(self, pluginId, parameterId):
  1275. raise NotImplementedError
  1276. # Get a plugin's program name.
  1277. # @param pluginId Plugin
  1278. # @param programId Program index
  1279. # @see carla_get_program_count()
  1280. @abstractmethod
  1281. def get_program_name(self, pluginId, programId):
  1282. raise NotImplementedError
  1283. # Get a plugin's MIDI program name.
  1284. # @param pluginId Plugin
  1285. # @param midiProgramId MIDI Program index
  1286. # @see carla_get_midi_program_count()
  1287. @abstractmethod
  1288. def get_midi_program_name(self, pluginId, midiProgramId):
  1289. raise NotImplementedError
  1290. # Get a plugin's real name.
  1291. # This is the name the plugin uses to identify itself; may not be unique.
  1292. # @param pluginId Plugin
  1293. @abstractmethod
  1294. def get_real_plugin_name(self, pluginId):
  1295. raise NotImplementedError
  1296. # Get a plugin's program index.
  1297. # @param pluginId Plugin
  1298. @abstractmethod
  1299. def get_current_program_index(self, pluginId):
  1300. raise NotImplementedError
  1301. # Get a plugin's midi program index.
  1302. # @param pluginId Plugin
  1303. @abstractmethod
  1304. def get_current_midi_program_index(self, pluginId):
  1305. raise NotImplementedError
  1306. # Get a plugin's default parameter value.
  1307. # @param pluginId Plugin
  1308. # @param parameterId Parameter index
  1309. @abstractmethod
  1310. def get_default_parameter_value(self, pluginId, parameterId):
  1311. raise NotImplementedError
  1312. # Get a plugin's current parameter value.
  1313. # @param pluginId Plugin
  1314. # @param parameterId Parameter index
  1315. @abstractmethod
  1316. def get_current_parameter_value(self, pluginId, parameterId):
  1317. raise NotImplementedError
  1318. # Get a plugin's internal parameter value.
  1319. # @param pluginId Plugin
  1320. # @param parameterId Parameter index, maybe be negative
  1321. # @see InternalParameterIndex
  1322. @abstractmethod
  1323. def get_internal_parameter_value(self, pluginId, parameterId):
  1324. raise NotImplementedError
  1325. # Get a plugin's input peak value.
  1326. # @param pluginId Plugin
  1327. # @param isLeft Wherever to get the left/mono value, otherwise right.
  1328. @abstractmethod
  1329. def get_input_peak_value(self, pluginId, isLeft):
  1330. raise NotImplementedError
  1331. # Get a plugin's output peak value.
  1332. # @param pluginId Plugin
  1333. # @param isLeft Wherever to get the left/mono value, otherwise right.
  1334. @abstractmethod
  1335. def get_output_peak_value(self, pluginId, isLeft):
  1336. raise NotImplementedError
  1337. # Render a plugin's inline display.
  1338. # @param pluginId Plugin
  1339. @abstractmethod
  1340. def render_inline_display(self, pluginId, width, height):
  1341. raise NotImplementedError
  1342. # Enable a plugin's option.
  1343. # @param pluginId Plugin
  1344. # @param option An option from PluginOptions
  1345. # @param yesNo New enabled state
  1346. @abstractmethod
  1347. def set_option(self, pluginId, option, yesNo):
  1348. raise NotImplementedError
  1349. # Enable or disable a plugin.
  1350. # @param pluginId Plugin
  1351. # @param onOff New active state
  1352. @abstractmethod
  1353. def set_active(self, pluginId, onOff):
  1354. raise NotImplementedError
  1355. # Change a plugin's internal dry/wet.
  1356. # @param pluginId Plugin
  1357. # @param value New dry/wet value
  1358. @abstractmethod
  1359. def set_drywet(self, pluginId, value):
  1360. raise NotImplementedError
  1361. # Change a plugin's internal volume.
  1362. # @param pluginId Plugin
  1363. # @param value New volume
  1364. @abstractmethod
  1365. def set_volume(self, pluginId, value):
  1366. raise NotImplementedError
  1367. # Change a plugin's internal stereo balance, left channel.
  1368. # @param pluginId Plugin
  1369. # @param value New value
  1370. @abstractmethod
  1371. def set_balance_left(self, pluginId, value):
  1372. raise NotImplementedError
  1373. # Change a plugin's internal stereo balance, right channel.
  1374. # @param pluginId Plugin
  1375. # @param value New value
  1376. @abstractmethod
  1377. def set_balance_right(self, pluginId, value):
  1378. raise NotImplementedError
  1379. # Change a plugin's internal mono panning value.
  1380. # @param pluginId Plugin
  1381. # @param value New value
  1382. @abstractmethod
  1383. def set_panning(self, pluginId, value):
  1384. raise NotImplementedError
  1385. # Change a plugin's internal control channel.
  1386. # @param pluginId Plugin
  1387. # @param channel New channel
  1388. @abstractmethod
  1389. def set_ctrl_channel(self, pluginId, channel):
  1390. raise NotImplementedError
  1391. # Change a plugin's parameter value.
  1392. # @param pluginId Plugin
  1393. # @param parameterId Parameter index
  1394. # @param value New value
  1395. @abstractmethod
  1396. def set_parameter_value(self, pluginId, parameterId, value):
  1397. raise NotImplementedError
  1398. # Change a plugin's parameter MIDI cc.
  1399. # @param pluginId Plugin
  1400. # @param parameterId Parameter index
  1401. # @param cc New MIDI cc
  1402. @abstractmethod
  1403. def set_parameter_midi_channel(self, pluginId, parameterId, channel):
  1404. raise NotImplementedError
  1405. # Change a plugin's parameter MIDI channel.
  1406. # @param pluginId Plugin
  1407. # @param parameterId Parameter index
  1408. # @param channel New MIDI channel
  1409. @abstractmethod
  1410. def set_parameter_midi_cc(self, pluginId, parameterId, cc):
  1411. raise NotImplementedError
  1412. # Change a plugin's current program.
  1413. # @param pluginId Plugin
  1414. # @param programId New program
  1415. @abstractmethod
  1416. def set_program(self, pluginId, programId):
  1417. raise NotImplementedError
  1418. # Change a plugin's current MIDI program.
  1419. # @param pluginId Plugin
  1420. # @param midiProgramId New value
  1421. @abstractmethod
  1422. def set_midi_program(self, pluginId, midiProgramId):
  1423. raise NotImplementedError
  1424. # Set a plugin's custom data set.
  1425. # @param pluginId Plugin
  1426. # @param type Type
  1427. # @param key Key
  1428. # @param value New value
  1429. # @see CustomDataTypes and CustomDataKeys
  1430. @abstractmethod
  1431. def set_custom_data(self, pluginId, type_, key, value):
  1432. raise NotImplementedError
  1433. # Set a plugin's chunk data.
  1434. # @param pluginId Plugin
  1435. # @param chunkData New chunk data
  1436. # @see PLUGIN_OPTION_USE_CHUNKS and carla_get_chunk_data()
  1437. @abstractmethod
  1438. def set_chunk_data(self, pluginId, chunkData):
  1439. raise NotImplementedError
  1440. # Tell a plugin to prepare for save.
  1441. # This should be called before saving custom data sets.
  1442. # @param pluginId Plugin
  1443. @abstractmethod
  1444. def prepare_for_save(self, pluginId):
  1445. raise NotImplementedError
  1446. # Reset all plugin's parameters.
  1447. # @param pluginId Plugin
  1448. @abstractmethod
  1449. def reset_parameters(self, pluginId):
  1450. raise NotImplementedError
  1451. # Randomize all plugin's parameters.
  1452. # @param pluginId Plugin
  1453. @abstractmethod
  1454. def randomize_parameters(self, pluginId):
  1455. raise NotImplementedError
  1456. # Send a single note of a plugin.
  1457. # If velocity is 0, note-off is sent; note-on otherwise.
  1458. # @param pluginId Plugin
  1459. # @param channel Note channel
  1460. # @param note Note pitch
  1461. # @param velocity Note velocity
  1462. @abstractmethod
  1463. def send_midi_note(self, pluginId, channel, note, velocity):
  1464. raise NotImplementedError
  1465. # Tell a plugin to show its own custom UI.
  1466. # @param pluginId Plugin
  1467. # @param yesNo New UI state, visible or not
  1468. # @see PLUGIN_HAS_CUSTOM_UI
  1469. @abstractmethod
  1470. def show_custom_ui(self, pluginId, yesNo):
  1471. raise NotImplementedError
  1472. # Get the current engine buffer size.
  1473. @abstractmethod
  1474. def get_buffer_size(self):
  1475. raise NotImplementedError
  1476. # Get the current engine sample rate.
  1477. @abstractmethod
  1478. def get_sample_rate(self):
  1479. raise NotImplementedError
  1480. # Get the last error.
  1481. @abstractmethod
  1482. def get_last_error(self):
  1483. raise NotImplementedError
  1484. # Get the current engine OSC URL (TCP).
  1485. @abstractmethod
  1486. def get_host_osc_url_tcp(self):
  1487. raise NotImplementedError
  1488. # Get the current engine OSC URL (UDP).
  1489. @abstractmethod
  1490. def get_host_osc_url_udp(self):
  1491. raise NotImplementedError
  1492. # ------------------------------------------------------------------------------------------------------------
  1493. # Carla Host object (dummy/null, does nothing)
  1494. class CarlaHostNull(CarlaHostMeta):
  1495. def __init__(self):
  1496. CarlaHostMeta.__init__(self)
  1497. self.fEngineCallback = None
  1498. self.fEngineRunning = False
  1499. def get_engine_driver_count(self):
  1500. return 0
  1501. def get_engine_driver_name(self, index):
  1502. return ""
  1503. def get_engine_driver_device_names(self, index):
  1504. return []
  1505. def get_engine_driver_device_info(self, index, name):
  1506. return PyEngineDriverDeviceInfo
  1507. def engine_init(self, driverName, clientName):
  1508. self.fEngineRunning = True
  1509. if self.fEngineCallback is not None:
  1510. self.fEngineCallback(None, ENGINE_CALLBACK_ENGINE_STARTED, 0, self.processMode, self.transportMode, 0.0, driverName)
  1511. return True
  1512. def engine_close(self):
  1513. self.fEngineRunning = False
  1514. if self.fEngineCallback is not None:
  1515. self.fEngineCallback(None, ENGINE_CALLBACK_ENGINE_STOPPED, 0, 0, 0, 0.0, "")
  1516. return True
  1517. def engine_idle(self):
  1518. return
  1519. def is_engine_running(self):
  1520. return False
  1521. def set_engine_about_to_close(self):
  1522. return True
  1523. def set_engine_callback(self, func):
  1524. self.fEngineCallback = func
  1525. def set_engine_option(self, option, value, valueStr):
  1526. return
  1527. def set_file_callback(self, func):
  1528. return
  1529. def load_file(self, filename):
  1530. return False
  1531. def load_project(self, filename):
  1532. return False
  1533. def save_project(self, filename):
  1534. return False
  1535. def patchbay_connect(self, groupIdA, portIdA, groupIdB, portIdB):
  1536. return False
  1537. def patchbay_disconnect(self, connectionId):
  1538. return False
  1539. def patchbay_refresh(self, external):
  1540. return False
  1541. def transport_play(self):
  1542. return
  1543. def transport_pause(self):
  1544. return
  1545. def transport_bpm(self, bpm):
  1546. return
  1547. def transport_relocate(self, frame):
  1548. return
  1549. def get_current_transport_frame(self):
  1550. return 0
  1551. def get_transport_info(self):
  1552. return PyCarlaTransportInfo
  1553. def get_current_plugin_count(self):
  1554. return 0
  1555. def get_max_plugin_number(self):
  1556. return 0
  1557. def add_plugin(self, btype, ptype, filename, name, label, uniqueId, extraPtr, options):
  1558. return False
  1559. def remove_plugin(self, pluginId):
  1560. return False
  1561. def remove_all_plugins(self):
  1562. return False
  1563. def rename_plugin(self, pluginId, newName):
  1564. return ""
  1565. def clone_plugin(self, pluginId):
  1566. return False
  1567. def replace_plugin(self, pluginId):
  1568. return False
  1569. def switch_plugins(self, pluginIdA, pluginIdB):
  1570. return False
  1571. def load_plugin_state(self, pluginId, filename):
  1572. return False
  1573. def save_plugin_state(self, pluginId, filename):
  1574. return False
  1575. def export_plugin_lv2(self, pluginId, lv2path):
  1576. return False
  1577. def get_plugin_info(self, pluginId):
  1578. return PyCarlaPluginInfo
  1579. def get_audio_port_count_info(self, pluginId):
  1580. return PyCarlaPortCountInfo
  1581. def get_midi_port_count_info(self, pluginId):
  1582. return PyCarlaPortCountInfo
  1583. def get_parameter_count_info(self, pluginId):
  1584. return PyCarlaPortCountInfo
  1585. def get_parameter_info(self, pluginId, parameterId):
  1586. return PyCarlaParameterInfo
  1587. def get_parameter_scalepoint_info(self, pluginId, parameterId, scalePointId):
  1588. return PyCarlaScalePointInfo
  1589. def get_parameter_data(self, pluginId, parameterId):
  1590. return PyParameterData
  1591. def get_parameter_ranges(self, pluginId, parameterId):
  1592. return PyParameterRanges
  1593. def get_midi_program_data(self, pluginId, midiProgramId):
  1594. return PyMidiProgramData
  1595. def get_custom_data(self, pluginId, customDataId):
  1596. return PyCustomData
  1597. def get_chunk_data(self, pluginId):
  1598. return ""
  1599. def get_parameter_count(self, pluginId):
  1600. return 0
  1601. def get_program_count(self, pluginId):
  1602. return 0
  1603. def get_midi_program_count(self, pluginId):
  1604. return 0
  1605. def get_custom_data_count(self, pluginId):
  1606. return 0
  1607. def get_parameter_text(self, pluginId, parameterId):
  1608. return ""
  1609. def get_program_name(self, pluginId, programId):
  1610. return ""
  1611. def get_midi_program_name(self, pluginId, midiProgramId):
  1612. return ""
  1613. def get_real_plugin_name(self, pluginId):
  1614. return ""
  1615. def get_current_program_index(self, pluginId):
  1616. return 0
  1617. def get_current_midi_program_index(self, pluginId):
  1618. return 0
  1619. def get_default_parameter_value(self, pluginId, parameterId):
  1620. return 0.0
  1621. def get_current_parameter_value(self, pluginId, parameterId):
  1622. return 0.0
  1623. def get_internal_parameter_value(self, pluginId, parameterId):
  1624. return 0.0
  1625. def get_input_peak_value(self, pluginId, isLeft):
  1626. return 0.0
  1627. def get_output_peak_value(self, pluginId, isLeft):
  1628. return 0.0
  1629. def render_inline_display(self, pluginId, width, height):
  1630. return None
  1631. def set_option(self, pluginId, option, yesNo):
  1632. return
  1633. def set_active(self, pluginId, onOff):
  1634. return
  1635. def set_drywet(self, pluginId, value):
  1636. return
  1637. def set_volume(self, pluginId, value):
  1638. return
  1639. def set_balance_left(self, pluginId, value):
  1640. return
  1641. def set_balance_right(self, pluginId, value):
  1642. return
  1643. def set_panning(self, pluginId, value):
  1644. return
  1645. def set_ctrl_channel(self, pluginId, channel):
  1646. return
  1647. def set_parameter_value(self, pluginId, parameterId, value):
  1648. return
  1649. def set_parameter_midi_channel(self, pluginId, parameterId, channel):
  1650. return
  1651. def set_parameter_midi_cc(self, pluginId, parameterId, cc):
  1652. return
  1653. def set_program(self, pluginId, programId):
  1654. return
  1655. def set_midi_program(self, pluginId, midiProgramId):
  1656. return
  1657. def set_custom_data(self, pluginId, type_, key, value):
  1658. return
  1659. def set_chunk_data(self, pluginId, chunkData):
  1660. return
  1661. def prepare_for_save(self, pluginId):
  1662. return
  1663. def reset_parameters(self, pluginId):
  1664. return
  1665. def randomize_parameters(self, pluginId):
  1666. return
  1667. def send_midi_note(self, pluginId, channel, note, velocity):
  1668. return
  1669. def show_custom_ui(self, pluginId, yesNo):
  1670. return
  1671. def get_buffer_size(self):
  1672. return 0
  1673. def get_sample_rate(self):
  1674. return 0.0
  1675. def get_last_error(self):
  1676. return ""
  1677. def get_host_osc_url_tcp(self):
  1678. return ""
  1679. def get_host_osc_url_udp(self):
  1680. return ""
  1681. def nsm_init(self, pid, executableName):
  1682. return False
  1683. def nsm_ready(self, action):
  1684. return
  1685. # ------------------------------------------------------------------------------------------------------------
  1686. # Carla Host object using a DLL
  1687. class CarlaHostDLL(CarlaHostMeta):
  1688. def __init__(self, libName, loadGlobal):
  1689. CarlaHostMeta.__init__(self)
  1690. # info about this host object
  1691. self.isPlugin = False
  1692. self.lib = CDLL(libName, RTLD_GLOBAL if loadGlobal else RTLD_LOCAL)
  1693. self.lib.carla_get_engine_driver_count.argtypes = None
  1694. self.lib.carla_get_engine_driver_count.restype = c_uint
  1695. self.lib.carla_get_engine_driver_name.argtypes = [c_uint]
  1696. self.lib.carla_get_engine_driver_name.restype = c_char_p
  1697. self.lib.carla_get_engine_driver_device_names.argtypes = [c_uint]
  1698. self.lib.carla_get_engine_driver_device_names.restype = POINTER(c_char_p)
  1699. self.lib.carla_get_engine_driver_device_info.argtypes = [c_uint, c_char_p]
  1700. self.lib.carla_get_engine_driver_device_info.restype = POINTER(EngineDriverDeviceInfo)
  1701. self.lib.carla_engine_init.argtypes = [c_char_p, c_char_p]
  1702. self.lib.carla_engine_init.restype = c_bool
  1703. self.lib.carla_engine_close.argtypes = None
  1704. self.lib.carla_engine_close.restype = c_bool
  1705. self.lib.carla_engine_idle.argtypes = None
  1706. self.lib.carla_engine_idle.restype = None
  1707. self.lib.carla_is_engine_running.argtypes = None
  1708. self.lib.carla_is_engine_running.restype = c_bool
  1709. self.lib.carla_set_engine_about_to_close.argtypes = None
  1710. self.lib.carla_set_engine_about_to_close.restype = c_bool
  1711. self.lib.carla_set_engine_callback.argtypes = [EngineCallbackFunc, c_void_p]
  1712. self.lib.carla_set_engine_callback.restype = None
  1713. self.lib.carla_set_engine_option.argtypes = [c_enum, c_int, c_char_p]
  1714. self.lib.carla_set_engine_option.restype = None
  1715. self.lib.carla_set_file_callback.argtypes = [FileCallbackFunc, c_void_p]
  1716. self.lib.carla_set_file_callback.restype = None
  1717. self.lib.carla_load_file.argtypes = [c_char_p]
  1718. self.lib.carla_load_file.restype = c_bool
  1719. self.lib.carla_load_project.argtypes = [c_char_p]
  1720. self.lib.carla_load_project.restype = c_bool
  1721. self.lib.carla_save_project.argtypes = [c_char_p]
  1722. self.lib.carla_save_project.restype = c_bool
  1723. self.lib.carla_patchbay_connect.argtypes = [c_uint, c_uint, c_uint, c_uint]
  1724. self.lib.carla_patchbay_connect.restype = c_bool
  1725. self.lib.carla_patchbay_disconnect.argtypes = [c_uint]
  1726. self.lib.carla_patchbay_disconnect.restype = c_bool
  1727. self.lib.carla_patchbay_refresh.argtypes = [c_bool]
  1728. self.lib.carla_patchbay_refresh.restype = c_bool
  1729. self.lib.carla_transport_play.argtypes = None
  1730. self.lib.carla_transport_play.restype = None
  1731. self.lib.carla_transport_pause.argtypes = None
  1732. self.lib.carla_transport_pause.restype = None
  1733. self.lib.carla_transport_bpm.argtypes = [c_double]
  1734. self.lib.carla_transport_bpm.restype = None
  1735. self.lib.carla_transport_relocate.argtypes = [c_uint64]
  1736. self.lib.carla_transport_relocate.restype = None
  1737. self.lib.carla_get_current_transport_frame.argtypes = None
  1738. self.lib.carla_get_current_transport_frame.restype = c_uint64
  1739. self.lib.carla_get_transport_info.argtypes = None
  1740. self.lib.carla_get_transport_info.restype = POINTER(CarlaTransportInfo)
  1741. self.lib.carla_get_current_plugin_count.argtypes = None
  1742. self.lib.carla_get_current_plugin_count.restype = c_uint32
  1743. self.lib.carla_get_max_plugin_number.argtypes = None
  1744. self.lib.carla_get_max_plugin_number.restype = c_uint32
  1745. self.lib.carla_add_plugin.argtypes = [c_enum, c_enum, c_char_p, c_char_p, c_char_p, c_int64, c_void_p, c_uint]
  1746. self.lib.carla_add_plugin.restype = c_bool
  1747. self.lib.carla_remove_plugin.argtypes = [c_uint]
  1748. self.lib.carla_remove_plugin.restype = c_bool
  1749. self.lib.carla_remove_all_plugins.argtypes = None
  1750. self.lib.carla_remove_all_plugins.restype = c_bool
  1751. self.lib.carla_rename_plugin.argtypes = [c_uint, c_char_p]
  1752. self.lib.carla_rename_plugin.restype = c_char_p
  1753. self.lib.carla_clone_plugin.argtypes = [c_uint]
  1754. self.lib.carla_clone_plugin.restype = c_bool
  1755. self.lib.carla_replace_plugin.argtypes = [c_uint]
  1756. self.lib.carla_replace_plugin.restype = c_bool
  1757. self.lib.carla_switch_plugins.argtypes = [c_uint, c_uint]
  1758. self.lib.carla_switch_plugins.restype = c_bool
  1759. self.lib.carla_load_plugin_state.argtypes = [c_uint, c_char_p]
  1760. self.lib.carla_load_plugin_state.restype = c_bool
  1761. self.lib.carla_save_plugin_state.argtypes = [c_uint, c_char_p]
  1762. self.lib.carla_save_plugin_state.restype = c_bool
  1763. self.lib.carla_export_plugin_lv2.argtypes = [c_uint, c_char_p]
  1764. self.lib.carla_export_plugin_lv2.restype = c_bool
  1765. self.lib.carla_get_plugin_info.argtypes = [c_uint]
  1766. self.lib.carla_get_plugin_info.restype = POINTER(CarlaPluginInfo)
  1767. self.lib.carla_get_audio_port_count_info.argtypes = [c_uint]
  1768. self.lib.carla_get_audio_port_count_info.restype = POINTER(CarlaPortCountInfo)
  1769. self.lib.carla_get_midi_port_count_info.argtypes = [c_uint]
  1770. self.lib.carla_get_midi_port_count_info.restype = POINTER(CarlaPortCountInfo)
  1771. self.lib.carla_get_parameter_count_info.argtypes = [c_uint]
  1772. self.lib.carla_get_parameter_count_info.restype = POINTER(CarlaPortCountInfo)
  1773. self.lib.carla_get_parameter_info.argtypes = [c_uint, c_uint32]
  1774. self.lib.carla_get_parameter_info.restype = POINTER(CarlaParameterInfo)
  1775. self.lib.carla_get_parameter_scalepoint_info.argtypes = [c_uint, c_uint32, c_uint32]
  1776. self.lib.carla_get_parameter_scalepoint_info.restype = POINTER(CarlaScalePointInfo)
  1777. self.lib.carla_get_parameter_data.argtypes = [c_uint, c_uint32]
  1778. self.lib.carla_get_parameter_data.restype = POINTER(ParameterData)
  1779. self.lib.carla_get_parameter_ranges.argtypes = [c_uint, c_uint32]
  1780. self.lib.carla_get_parameter_ranges.restype = POINTER(ParameterRanges)
  1781. self.lib.carla_get_midi_program_data.argtypes = [c_uint, c_uint32]
  1782. self.lib.carla_get_midi_program_data.restype = POINTER(MidiProgramData)
  1783. self.lib.carla_get_custom_data.argtypes = [c_uint, c_uint32]
  1784. self.lib.carla_get_custom_data.restype = POINTER(CustomData)
  1785. self.lib.carla_get_chunk_data.argtypes = [c_uint]
  1786. self.lib.carla_get_chunk_data.restype = c_char_p
  1787. self.lib.carla_get_parameter_count.argtypes = [c_uint]
  1788. self.lib.carla_get_parameter_count.restype = c_uint32
  1789. self.lib.carla_get_program_count.argtypes = [c_uint]
  1790. self.lib.carla_get_program_count.restype = c_uint32
  1791. self.lib.carla_get_midi_program_count.argtypes = [c_uint]
  1792. self.lib.carla_get_midi_program_count.restype = c_uint32
  1793. self.lib.carla_get_custom_data_count.argtypes = [c_uint]
  1794. self.lib.carla_get_custom_data_count.restype = c_uint32
  1795. self.lib.carla_get_parameter_text.argtypes = [c_uint, c_uint32]
  1796. self.lib.carla_get_parameter_text.restype = c_char_p
  1797. self.lib.carla_get_program_name.argtypes = [c_uint, c_uint32]
  1798. self.lib.carla_get_program_name.restype = c_char_p
  1799. self.lib.carla_get_midi_program_name.argtypes = [c_uint, c_uint32]
  1800. self.lib.carla_get_midi_program_name.restype = c_char_p
  1801. self.lib.carla_get_real_plugin_name.argtypes = [c_uint]
  1802. self.lib.carla_get_real_plugin_name.restype = c_char_p
  1803. self.lib.carla_get_current_program_index.argtypes = [c_uint]
  1804. self.lib.carla_get_current_program_index.restype = c_int32
  1805. self.lib.carla_get_current_midi_program_index.argtypes = [c_uint]
  1806. self.lib.carla_get_current_midi_program_index.restype = c_int32
  1807. self.lib.carla_get_default_parameter_value.argtypes = [c_uint, c_uint32]
  1808. self.lib.carla_get_default_parameter_value.restype = c_float
  1809. self.lib.carla_get_current_parameter_value.argtypes = [c_uint, c_uint32]
  1810. self.lib.carla_get_current_parameter_value.restype = c_float
  1811. self.lib.carla_get_internal_parameter_value.argtypes = [c_uint, c_int32]
  1812. self.lib.carla_get_internal_parameter_value.restype = c_float
  1813. self.lib.carla_get_input_peak_value.argtypes = [c_uint, c_bool]
  1814. self.lib.carla_get_input_peak_value.restype = c_float
  1815. self.lib.carla_get_output_peak_value.argtypes = [c_uint, c_bool]
  1816. self.lib.carla_get_output_peak_value.restype = c_float
  1817. self.lib.carla_render_inline_display.argtypes = [c_uint, c_uint, c_uint]
  1818. self.lib.carla_render_inline_display.restype = POINTER(CarlaInlineDisplayImageSurface)
  1819. self.lib.carla_set_option.argtypes = [c_uint, c_uint, c_bool]
  1820. self.lib.carla_set_option.restype = None
  1821. self.lib.carla_set_active.argtypes = [c_uint, c_bool]
  1822. self.lib.carla_set_active.restype = None
  1823. self.lib.carla_set_drywet.argtypes = [c_uint, c_float]
  1824. self.lib.carla_set_drywet.restype = None
  1825. self.lib.carla_set_volume.argtypes = [c_uint, c_float]
  1826. self.lib.carla_set_volume.restype = None
  1827. self.lib.carla_set_balance_left.argtypes = [c_uint, c_float]
  1828. self.lib.carla_set_balance_left.restype = None
  1829. self.lib.carla_set_balance_right.argtypes = [c_uint, c_float]
  1830. self.lib.carla_set_balance_right.restype = None
  1831. self.lib.carla_set_panning.argtypes = [c_uint, c_float]
  1832. self.lib.carla_set_panning.restype = None
  1833. self.lib.carla_set_ctrl_channel.argtypes = [c_uint, c_int8]
  1834. self.lib.carla_set_ctrl_channel.restype = None
  1835. self.lib.carla_set_parameter_value.argtypes = [c_uint, c_uint32, c_float]
  1836. self.lib.carla_set_parameter_value.restype = None
  1837. self.lib.carla_set_parameter_midi_channel.argtypes = [c_uint, c_uint32, c_uint8]
  1838. self.lib.carla_set_parameter_midi_channel.restype = None
  1839. self.lib.carla_set_parameter_midi_cc.argtypes = [c_uint, c_uint32, c_int16]
  1840. self.lib.carla_set_parameter_midi_cc.restype = None
  1841. self.lib.carla_set_program.argtypes = [c_uint, c_uint32]
  1842. self.lib.carla_set_program.restype = None
  1843. self.lib.carla_set_midi_program.argtypes = [c_uint, c_uint32]
  1844. self.lib.carla_set_midi_program.restype = None
  1845. self.lib.carla_set_custom_data.argtypes = [c_uint, c_char_p, c_char_p, c_char_p]
  1846. self.lib.carla_set_custom_data.restype = None
  1847. self.lib.carla_set_chunk_data.argtypes = [c_uint, c_char_p]
  1848. self.lib.carla_set_chunk_data.restype = None
  1849. self.lib.carla_prepare_for_save.argtypes = [c_uint]
  1850. self.lib.carla_prepare_for_save.restype = None
  1851. self.lib.carla_reset_parameters.argtypes = [c_uint]
  1852. self.lib.carla_reset_parameters.restype = None
  1853. self.lib.carla_randomize_parameters.argtypes = [c_uint]
  1854. self.lib.carla_randomize_parameters.restype = None
  1855. self.lib.carla_send_midi_note.argtypes = [c_uint, c_uint8, c_uint8, c_uint8]
  1856. self.lib.carla_send_midi_note.restype = None
  1857. self.lib.carla_show_custom_ui.argtypes = [c_uint, c_bool]
  1858. self.lib.carla_show_custom_ui.restype = None
  1859. self.lib.carla_get_buffer_size.argtypes = None
  1860. self.lib.carla_get_buffer_size.restype = c_uint32
  1861. self.lib.carla_get_sample_rate.argtypes = None
  1862. self.lib.carla_get_sample_rate.restype = c_double
  1863. self.lib.carla_get_last_error.argtypes = None
  1864. self.lib.carla_get_last_error.restype = c_char_p
  1865. self.lib.carla_get_host_osc_url_tcp.argtypes = None
  1866. self.lib.carla_get_host_osc_url_tcp.restype = c_char_p
  1867. self.lib.carla_get_host_osc_url_udp.argtypes = None
  1868. self.lib.carla_get_host_osc_url_udp.restype = c_char_p
  1869. self.lib.carla_nsm_init.argtypes = [c_int, c_char_p]
  1870. self.lib.carla_nsm_init.restype = c_bool
  1871. self.lib.carla_nsm_ready.argtypes = [c_int]
  1872. self.lib.carla_nsm_ready.restype = None
  1873. # --------------------------------------------------------------------------------------------------------
  1874. def get_engine_driver_count(self):
  1875. return int(self.lib.carla_get_engine_driver_count())
  1876. def get_engine_driver_name(self, index):
  1877. return charPtrToString(self.lib.carla_get_engine_driver_name(index))
  1878. def get_engine_driver_device_names(self, index):
  1879. return charPtrPtrToStringList(self.lib.carla_get_engine_driver_device_names(index))
  1880. def get_engine_driver_device_info(self, index, name):
  1881. return structToDict(self.lib.carla_get_engine_driver_device_info(index, name.encode("utf-8")).contents)
  1882. def engine_init(self, driverName, clientName):
  1883. return bool(self.lib.carla_engine_init(driverName.encode("utf-8"), clientName.encode("utf-8")))
  1884. def engine_close(self):
  1885. return bool(self.lib.carla_engine_close())
  1886. def engine_idle(self):
  1887. self.lib.carla_engine_idle()
  1888. def is_engine_running(self):
  1889. return bool(self.lib.carla_is_engine_running())
  1890. def set_engine_about_to_close(self):
  1891. return bool(self.lib.carla_set_engine_about_to_close())
  1892. def set_engine_callback(self, func):
  1893. self._engineCallback = EngineCallbackFunc(func)
  1894. self.lib.carla_set_engine_callback(self._engineCallback, None)
  1895. def set_engine_option(self, option, value, valueStr):
  1896. self.lib.carla_set_engine_option(option, value, valueStr.encode("utf-8"))
  1897. def set_file_callback(self, func):
  1898. self._fileCallback = FileCallbackFunc(func)
  1899. self.lib.carla_set_file_callback(self._fileCallback, None)
  1900. def load_file(self, filename):
  1901. return bool(self.lib.carla_load_file(filename.encode("utf-8")))
  1902. def load_project(self, filename):
  1903. return bool(self.lib.carla_load_project(filename.encode("utf-8")))
  1904. def save_project(self, filename):
  1905. return bool(self.lib.carla_save_project(filename.encode("utf-8")))
  1906. def patchbay_connect(self, groupIdA, portIdA, groupIdB, portIdB):
  1907. return bool(self.lib.carla_patchbay_connect(groupIdA, portIdA, groupIdB, portIdB))
  1908. def patchbay_disconnect(self, connectionId):
  1909. return bool(self.lib.carla_patchbay_disconnect(connectionId))
  1910. def patchbay_refresh(self, external):
  1911. return bool(self.lib.carla_patchbay_refresh(external))
  1912. def transport_play(self):
  1913. self.lib.carla_transport_play()
  1914. def transport_pause(self):
  1915. self.lib.carla_transport_pause()
  1916. def transport_bpm(self, bpm):
  1917. self.lib.carla_transport_bpm(bpm)
  1918. def transport_relocate(self, frame):
  1919. self.lib.carla_transport_relocate(frame)
  1920. def get_current_transport_frame(self):
  1921. return int(self.lib.carla_get_current_transport_frame())
  1922. def get_transport_info(self):
  1923. return structToDict(self.lib.carla_get_transport_info().contents)
  1924. def get_current_plugin_count(self):
  1925. return int(self.lib.carla_get_current_plugin_count())
  1926. def get_max_plugin_number(self):
  1927. return int(self.lib.carla_get_max_plugin_number())
  1928. def add_plugin(self, btype, ptype, filename, name, label, uniqueId, extraPtr, options):
  1929. cfilename = filename.encode("utf-8") if filename else None
  1930. cname = name.encode("utf-8") if name else None
  1931. clabel = label.encode("utf-8") if label else None
  1932. return bool(self.lib.carla_add_plugin(btype, ptype, cfilename, cname, clabel, uniqueId, cast(extraPtr, c_void_p), options))
  1933. def remove_plugin(self, pluginId):
  1934. return bool(self.lib.carla_remove_plugin(pluginId))
  1935. def remove_all_plugins(self):
  1936. return bool(self.lib.carla_remove_all_plugins())
  1937. def rename_plugin(self, pluginId, newName):
  1938. return charPtrToString(self.lib.carla_rename_plugin(pluginId, newName.encode("utf-8")))
  1939. def clone_plugin(self, pluginId):
  1940. return bool(self.lib.carla_clone_plugin(pluginId))
  1941. def replace_plugin(self, pluginId):
  1942. return bool(self.lib.carla_replace_plugin(pluginId))
  1943. def switch_plugins(self, pluginIdA, pluginIdB):
  1944. return bool(self.lib.carla_switch_plugins(pluginIdA, pluginIdB))
  1945. def load_plugin_state(self, pluginId, filename):
  1946. return bool(self.lib.carla_load_plugin_state(pluginId, filename.encode("utf-8")))
  1947. def save_plugin_state(self, pluginId, filename):
  1948. return bool(self.lib.carla_save_plugin_state(pluginId, filename.encode("utf-8")))
  1949. def export_plugin_lv2(self, pluginId, lv2path):
  1950. return bool(self.lib.carla_export_plugin_lv2(pluginId, lv2path.encode("utf-8")))
  1951. def get_plugin_info(self, pluginId):
  1952. return structToDict(self.lib.carla_get_plugin_info(pluginId).contents)
  1953. def get_audio_port_count_info(self, pluginId):
  1954. return structToDict(self.lib.carla_get_audio_port_count_info(pluginId).contents)
  1955. def get_midi_port_count_info(self, pluginId):
  1956. return structToDict(self.lib.carla_get_midi_port_count_info(pluginId).contents)
  1957. def get_parameter_count_info(self, pluginId):
  1958. return structToDict(self.lib.carla_get_parameter_count_info(pluginId).contents)
  1959. def get_parameter_info(self, pluginId, parameterId):
  1960. return structToDict(self.lib.carla_get_parameter_info(pluginId, parameterId).contents)
  1961. def get_parameter_scalepoint_info(self, pluginId, parameterId, scalePointId):
  1962. return structToDict(self.lib.carla_get_parameter_scalepoint_info(pluginId, parameterId, scalePointId).contents)
  1963. def get_parameter_data(self, pluginId, parameterId):
  1964. return structToDict(self.lib.carla_get_parameter_data(pluginId, parameterId).contents)
  1965. def get_parameter_ranges(self, pluginId, parameterId):
  1966. return structToDict(self.lib.carla_get_parameter_ranges(pluginId, parameterId).contents)
  1967. def get_midi_program_data(self, pluginId, midiProgramId):
  1968. return structToDict(self.lib.carla_get_midi_program_data(pluginId, midiProgramId).contents)
  1969. def get_custom_data(self, pluginId, customDataId):
  1970. return structToDict(self.lib.carla_get_custom_data(pluginId, customDataId).contents)
  1971. def get_chunk_data(self, pluginId):
  1972. return charPtrToString(self.lib.carla_get_chunk_data(pluginId))
  1973. def get_parameter_count(self, pluginId):
  1974. return int(self.lib.carla_get_parameter_count(pluginId))
  1975. def get_program_count(self, pluginId):
  1976. return int(self.lib.carla_get_program_count(pluginId))
  1977. def get_midi_program_count(self, pluginId):
  1978. return int(self.lib.carla_get_midi_program_count(pluginId))
  1979. def get_custom_data_count(self, pluginId):
  1980. return int(self.lib.carla_get_custom_data_count(pluginId))
  1981. def get_parameter_text(self, pluginId, parameterId):
  1982. return charPtrToString(self.lib.carla_get_parameter_text(pluginId, parameterId))
  1983. def get_program_name(self, pluginId, programId):
  1984. return charPtrToString(self.lib.carla_get_program_name(pluginId, programId))
  1985. def get_midi_program_name(self, pluginId, midiProgramId):
  1986. return charPtrToString(self.lib.carla_get_midi_program_name(pluginId, midiProgramId))
  1987. def get_real_plugin_name(self, pluginId):
  1988. return charPtrToString(self.lib.carla_get_real_plugin_name(pluginId))
  1989. def get_current_program_index(self, pluginId):
  1990. return int(self.lib.carla_get_current_program_index(pluginId))
  1991. def get_current_midi_program_index(self, pluginId):
  1992. return int(self.lib.carla_get_current_midi_program_index(pluginId))
  1993. def get_default_parameter_value(self, pluginId, parameterId):
  1994. return float(self.lib.carla_get_default_parameter_value(pluginId, parameterId))
  1995. def get_current_parameter_value(self, pluginId, parameterId):
  1996. return float(self.lib.carla_get_current_parameter_value(pluginId, parameterId))
  1997. def get_internal_parameter_value(self, pluginId, parameterId):
  1998. return float(self.lib.carla_get_internal_parameter_value(pluginId, parameterId))
  1999. def get_input_peak_value(self, pluginId, isLeft):
  2000. return float(self.lib.carla_get_input_peak_value(pluginId, isLeft))
  2001. def get_output_peak_value(self, pluginId, isLeft):
  2002. return float(self.lib.carla_get_output_peak_value(pluginId, isLeft))
  2003. def render_inline_display(self, pluginId, width, height):
  2004. return structToDict(self.lib.carla_render_inline_display(pluginId, width, height))
  2005. def set_option(self, pluginId, option, yesNo):
  2006. self.lib.carla_set_option(pluginId, option, yesNo)
  2007. def set_active(self, pluginId, onOff):
  2008. self.lib.carla_set_active(pluginId, onOff)
  2009. def set_drywet(self, pluginId, value):
  2010. self.lib.carla_set_drywet(pluginId, value)
  2011. def set_volume(self, pluginId, value):
  2012. self.lib.carla_set_volume(pluginId, value)
  2013. def set_balance_left(self, pluginId, value):
  2014. self.lib.carla_set_balance_left(pluginId, value)
  2015. def set_balance_right(self, pluginId, value):
  2016. self.lib.carla_set_balance_right(pluginId, value)
  2017. def set_panning(self, pluginId, value):
  2018. self.lib.carla_set_panning(pluginId, value)
  2019. def set_ctrl_channel(self, pluginId, channel):
  2020. self.lib.carla_set_ctrl_channel(pluginId, channel)
  2021. def set_parameter_value(self, pluginId, parameterId, value):
  2022. self.lib.carla_set_parameter_value(pluginId, parameterId, value)
  2023. def set_parameter_midi_channel(self, pluginId, parameterId, channel):
  2024. self.lib.carla_set_parameter_midi_channel(pluginId, parameterId, channel)
  2025. def set_parameter_midi_cc(self, pluginId, parameterId, cc):
  2026. self.lib.carla_set_parameter_midi_cc(pluginId, parameterId, cc)
  2027. def set_program(self, pluginId, programId):
  2028. self.lib.carla_set_program(pluginId, programId)
  2029. def set_midi_program(self, pluginId, midiProgramId):
  2030. self.lib.carla_set_midi_program(pluginId, midiProgramId)
  2031. def set_custom_data(self, pluginId, type_, key, value):
  2032. self.lib.carla_set_custom_data(pluginId, type_.encode("utf-8"), key.encode("utf-8"), value.encode("utf-8"))
  2033. def set_chunk_data(self, pluginId, chunkData):
  2034. self.lib.carla_set_chunk_data(pluginId, chunkData.encode("utf-8"))
  2035. def prepare_for_save(self, pluginId):
  2036. self.lib.carla_prepare_for_save(pluginId)
  2037. def reset_parameters(self, pluginId):
  2038. self.lib.carla_reset_parameters(pluginId)
  2039. def randomize_parameters(self, pluginId):
  2040. self.lib.carla_randomize_parameters(pluginId)
  2041. def send_midi_note(self, pluginId, channel, note, velocity):
  2042. self.lib.carla_send_midi_note(pluginId, channel, note, velocity)
  2043. def show_custom_ui(self, pluginId, yesNo):
  2044. self.lib.carla_show_custom_ui(pluginId, yesNo)
  2045. def get_buffer_size(self):
  2046. return int(self.lib.carla_get_buffer_size())
  2047. def get_sample_rate(self):
  2048. return float(self.lib.carla_get_sample_rate())
  2049. def get_last_error(self):
  2050. return charPtrToString(self.lib.carla_get_last_error())
  2051. def get_host_osc_url_tcp(self):
  2052. return charPtrToString(self.lib.carla_get_host_osc_url_tcp())
  2053. def get_host_osc_url_udp(self):
  2054. return charPtrToString(self.lib.carla_get_host_osc_url_udp())
  2055. def nsm_init(self, pid, executableName):
  2056. return bool(self.lib.carla_nsm_init(pid, executableName.encode("utf-8")))
  2057. def nsm_ready(self, action):
  2058. self.lib.carla_nsm_ready(action)
  2059. # ------------------------------------------------------------------------------------------------------------
  2060. # Helper object for CarlaHostPlugin
  2061. class PluginStoreInfo(object):
  2062. __slots__ = [
  2063. 'pluginInfo',
  2064. 'pluginRealName',
  2065. 'internalValues',
  2066. 'audioCountInfo',
  2067. 'midiCountInfo',
  2068. 'parameterCount',
  2069. 'parameterCountInfo',
  2070. 'parameterInfo',
  2071. 'parameterData',
  2072. 'parameterRanges',
  2073. 'parameterValues',
  2074. 'programCount',
  2075. 'programCurrent',
  2076. 'programNames',
  2077. 'midiProgramCount',
  2078. 'midiProgramCurrent',
  2079. 'midiProgramData',
  2080. 'customDataCount',
  2081. 'customData',
  2082. 'peaks'
  2083. ]
  2084. # ------------------------------------------------------------------------------------------------------------
  2085. # Carla Host object for plugins (using pipes)
  2086. class CarlaHostPlugin(CarlaHostMeta):
  2087. #class CarlaHostPlugin(CarlaHostMeta, metaclass=ABCMeta):
  2088. def __init__(self):
  2089. CarlaHostMeta.__init__(self)
  2090. # info about this host object
  2091. self.isPlugin = True
  2092. self.processModeForced = True
  2093. # text data to return when requested
  2094. self.fMaxPluginNumber = 0
  2095. self.fLastError = ""
  2096. # plugin info
  2097. self.fPluginsInfo = []
  2098. # transport info
  2099. self.fTransportInfo = {
  2100. "playing": False,
  2101. "frame": 0,
  2102. "bar": 0,
  2103. "beat": 0,
  2104. "tick": 0,
  2105. "bpm": 0.0
  2106. }
  2107. # some other vars
  2108. self.fBufferSize = 0
  2109. self.fSampleRate = 0.0
  2110. self.fOscTCP = ""
  2111. self.fOscUDP = ""
  2112. # --------------------------------------------------------------------------------------------------------
  2113. # Needs to be reimplemented
  2114. @abstractmethod
  2115. def sendMsg(self, lines):
  2116. raise NotImplementedError
  2117. # internal, sets error if sendMsg failed
  2118. def sendMsgAndSetError(self, lines):
  2119. if self.sendMsg(lines):
  2120. return True
  2121. self.fLastError = "Communication error with backend"
  2122. return False
  2123. # --------------------------------------------------------------------------------------------------------
  2124. def get_engine_driver_count(self):
  2125. return 1
  2126. def get_engine_driver_name(self, index):
  2127. return "Plugin"
  2128. def get_engine_driver_device_names(self, index):
  2129. return []
  2130. def get_engine_driver_device_info(self, index, name):
  2131. return PyEngineDriverDeviceInfo
  2132. def set_engine_callback(self, func):
  2133. return # TODO
  2134. def set_engine_option(self, option, value, valueStr):
  2135. self.sendMsg(["set_engine_option", option, int(value), valueStr])
  2136. def set_file_callback(self, func):
  2137. return # TODO
  2138. def load_file(self, filename):
  2139. return self.sendMsgAndSetError(["load_file", filename])
  2140. def load_project(self, filename):
  2141. return self.sendMsgAndSetError(["load_project", filename])
  2142. def save_project(self, filename):
  2143. return self.sendMsgAndSetError(["save_project", filename])
  2144. def patchbay_connect(self, groupIdA, portIdA, groupIdB, portIdB):
  2145. return self.sendMsgAndSetError(["patchbay_connect", groupIdA, portIdA, groupIdB, portIdB])
  2146. def patchbay_disconnect(self, connectionId):
  2147. return self.sendMsgAndSetError(["patchbay_disconnect", connectionId])
  2148. def patchbay_refresh(self, external):
  2149. # don't send external param, never used in plugins
  2150. return self.sendMsgAndSetError(["patchbay_refresh"])
  2151. def transport_play(self):
  2152. self.sendMsg(["transport_play"])
  2153. def transport_pause(self):
  2154. self.sendMsg(["transport_pause"])
  2155. def transport_bpm(self, bpm):
  2156. self.sendMsg(["transport_bpm", bpm])
  2157. def transport_relocate(self, frame):
  2158. self.sendMsg(["transport_relocate"])
  2159. def get_current_transport_frame(self):
  2160. return self.fTransportInfo['frame']
  2161. def get_transport_info(self):
  2162. return self.fTransportInfo
  2163. def get_current_plugin_count(self):
  2164. return len(self.fPluginsInfo)
  2165. def get_max_plugin_number(self):
  2166. return self.fMaxPluginNumber
  2167. def add_plugin(self, btype, ptype, filename, name, label, uniqueId, extraPtr, options):
  2168. return self.sendMsgAndSetError(["add_plugin", btype, ptype, filename, name, label, uniqueId, options])
  2169. def remove_plugin(self, pluginId):
  2170. return self.sendMsgAndSetError(["remove_plugin", pluginId])
  2171. def remove_all_plugins(self):
  2172. return self.sendMsgAndSetError(["remove_all_plugins"])
  2173. def rename_plugin(self, pluginId, newName):
  2174. if self.sendMsg(["rename_plugin", pluginId, newName]):
  2175. return newName
  2176. self.fLastError = "Communication error with backend"
  2177. return ""
  2178. def clone_plugin(self, pluginId):
  2179. return self.sendMsgAndSetError(["clone_plugin", pluginId])
  2180. def replace_plugin(self, pluginId):
  2181. return self.sendMsgAndSetError(["replace_plugin", pluginId])
  2182. def switch_plugins(self, pluginIdA, pluginIdB):
  2183. return self.sendMsgAndSetError(["switch_plugins", pluginIdA, pluginIdB])
  2184. def load_plugin_state(self, pluginId, filename):
  2185. return self.sendMsgAndSetError(["load_plugin_state", pluginId, filename])
  2186. def save_plugin_state(self, pluginId, filename):
  2187. return self.sendMsgAndSetError(["save_plugin_state", pluginId, filename])
  2188. def export_plugin_lv2(self, pluginId, lv2path):
  2189. self.fLastError = "Operation unavailable in plugin version"
  2190. return False
  2191. def get_plugin_info(self, pluginId):
  2192. return self.fPluginsInfo[pluginId].pluginInfo
  2193. def get_audio_port_count_info(self, pluginId):
  2194. return self.fPluginsInfo[pluginId].audioCountInfo
  2195. def get_midi_port_count_info(self, pluginId):
  2196. return self.fPluginsInfo[pluginId].midiCountInfo
  2197. def get_parameter_count_info(self, pluginId):
  2198. return self.fPluginsInfo[pluginId].parameterCountInfo
  2199. def get_parameter_info(self, pluginId, parameterId):
  2200. return self.fPluginsInfo[pluginId].parameterInfo[parameterId]
  2201. def get_parameter_scalepoint_info(self, pluginId, parameterId, scalePointId):
  2202. return PyCarlaScalePointInfo
  2203. def get_parameter_data(self, pluginId, parameterId):
  2204. return self.fPluginsInfo[pluginId].parameterData[parameterId]
  2205. def get_parameter_ranges(self, pluginId, parameterId):
  2206. return self.fPluginsInfo[pluginId].parameterRanges[parameterId]
  2207. def get_midi_program_data(self, pluginId, midiProgramId):
  2208. return self.fPluginsInfo[pluginId].midiProgramData[midiProgramId]
  2209. def get_custom_data(self, pluginId, customDataId):
  2210. return self.fPluginsInfo[pluginId].customData[customDataId]
  2211. def get_chunk_data(self, pluginId):
  2212. return ""
  2213. def get_parameter_count(self, pluginId):
  2214. return self.fPluginsInfo[pluginId].parameterCount
  2215. def get_program_count(self, pluginId):
  2216. return self.fPluginsInfo[pluginId].programCount
  2217. def get_midi_program_count(self, pluginId):
  2218. return self.fPluginsInfo[pluginId].midiProgramCount
  2219. def get_custom_data_count(self, pluginId):
  2220. return self.fPluginsInfo[pluginId].customDataCount
  2221. def get_parameter_text(self, pluginId, parameterId):
  2222. return ""
  2223. def get_program_name(self, pluginId, programId):
  2224. return self.fPluginsInfo[pluginId].programNames[programId]
  2225. def get_midi_program_name(self, pluginId, midiProgramId):
  2226. return self.fPluginsInfo[pluginId].midiProgramData[midiProgramId]['label']
  2227. def get_real_plugin_name(self, pluginId):
  2228. return self.fPluginsInfo[pluginId].pluginRealName
  2229. def get_current_program_index(self, pluginId):
  2230. return self.fPluginsInfo[pluginId].programCurrent
  2231. def get_current_midi_program_index(self, pluginId):
  2232. return self.fPluginsInfo[pluginId].midiProgramCurrent
  2233. def get_default_parameter_value(self, pluginId, parameterId):
  2234. return self.fPluginsInfo[pluginId].parameterRanges[parameterId]['def']
  2235. def get_current_parameter_value(self, pluginId, parameterId):
  2236. return self.fPluginsInfo[pluginId].parameterValues[parameterId]
  2237. def get_internal_parameter_value(self, pluginId, parameterId):
  2238. if parameterId == PARAMETER_NULL or parameterId <= PARAMETER_MAX:
  2239. return 0.0
  2240. if parameterId < 0:
  2241. return self.fPluginsInfo[pluginId].internalValues[abs(parameterId)-2]
  2242. return self.fPluginsInfo[pluginId].parameterValues[parameterId]
  2243. def get_input_peak_value(self, pluginId, isLeft):
  2244. return self.fPluginsInfo[pluginId].peaks[0 if isLeft else 1]
  2245. def get_output_peak_value(self, pluginId, isLeft):
  2246. return self.fPluginsInfo[pluginId].peaks[2 if isLeft else 3]
  2247. def render_inline_display(self, pluginId, width, height):
  2248. return None
  2249. def set_option(self, pluginId, option, yesNo):
  2250. self.sendMsg(["set_option", pluginId, option, yesNo])
  2251. def set_active(self, pluginId, onOff):
  2252. self.sendMsg(["set_active", pluginId, onOff])
  2253. self.fPluginsInfo[pluginId].internalValues[0] = 1.0 if onOff else 0.0
  2254. def set_drywet(self, pluginId, value):
  2255. self.sendMsg(["set_drywet", pluginId, value])
  2256. self.fPluginsInfo[pluginId].internalValues[1] = value
  2257. def set_volume(self, pluginId, value):
  2258. self.sendMsg(["set_volume", pluginId, value])
  2259. self.fPluginsInfo[pluginId].internalValues[2] = value
  2260. def set_balance_left(self, pluginId, value):
  2261. self.sendMsg(["set_balance_left", pluginId, value])
  2262. self.fPluginsInfo[pluginId].internalValues[3] = value
  2263. def set_balance_right(self, pluginId, value):
  2264. self.sendMsg(["set_balance_right", pluginId, value])
  2265. self.fPluginsInfo[pluginId].internalValues[4] = value
  2266. def set_panning(self, pluginId, value):
  2267. self.sendMsg(["set_panning", pluginId, value])
  2268. self.fPluginsInfo[pluginId].internalValues[5] = value
  2269. def set_ctrl_channel(self, pluginId, channel):
  2270. self.sendMsg(["set_ctrl_channel", pluginId, channel])
  2271. self.fPluginsInfo[pluginId].internalValues[6] = float(channel)
  2272. def set_parameter_value(self, pluginId, parameterId, value):
  2273. self.sendMsg(["set_parameter_value", pluginId, parameterId, value])
  2274. self.fPluginsInfo[pluginId].parameterValues[parameterId] = value
  2275. def set_parameter_midi_channel(self, pluginId, parameterId, channel):
  2276. self.sendMsg(["set_parameter_midi_channel", pluginId, parameterId, channel])
  2277. self.fPluginsInfo[pluginId].parameterData[parameterId]['midiCC'] = channel
  2278. def set_parameter_midi_cc(self, pluginId, parameterId, cc):
  2279. self.sendMsg(["set_parameter_midi_cc", pluginId, parameterId, cc])
  2280. self.fPluginsInfo[pluginId].parameterData[parameterId]['midiCC'] = cc
  2281. def set_program(self, pluginId, programId):
  2282. self.sendMsg(["set_program", pluginId, programId])
  2283. self.fPluginsInfo[pluginId].programCurrent = programId
  2284. def set_midi_program(self, pluginId, midiProgramId):
  2285. self.sendMsg(["set_midi_program", pluginId, midiProgramId])
  2286. self.fPluginsInfo[pluginId].midiProgramCurrent = midiProgramId
  2287. def set_custom_data(self, pluginId, type_, key, value):
  2288. self.sendMsg(["set_custom_data", pluginId, type_, key, value])
  2289. for cdata in self.fPluginsInfo[pluginId].customData:
  2290. if cdata['type'] != type_:
  2291. continue
  2292. if cdata['key'] != key:
  2293. continue
  2294. cdata['value'] = value
  2295. break
  2296. def set_chunk_data(self, pluginId, chunkData):
  2297. self.sendMsg(["set_chunk_data", pluginId, chunkData])
  2298. def prepare_for_save(self, pluginId):
  2299. self.sendMsg(["prepare_for_save", pluginId])
  2300. def reset_parameters(self, pluginId):
  2301. self.sendMsg(["reset_parameters", pluginId])
  2302. def randomize_parameters(self, pluginId):
  2303. self.sendMsg(["randomize_parameters", pluginId])
  2304. def send_midi_note(self, pluginId, channel, note, velocity):
  2305. self.sendMsg(["send_midi_note", pluginId, channel, note, velocity])
  2306. def show_custom_ui(self, pluginId, yesNo):
  2307. self.sendMsg(["show_custom_ui", pluginId, yesNo])
  2308. def get_buffer_size(self):
  2309. return self.fBufferSize
  2310. def get_sample_rate(self):
  2311. return self.fSampleRate
  2312. def get_last_error(self):
  2313. return self.fLastError
  2314. def get_host_osc_url_tcp(self):
  2315. return self.fOscTCP
  2316. def get_host_osc_url_udp(self):
  2317. return self.fOscUDP
  2318. # --------------------------------------------------------------------------------------------------------
  2319. def _set_transport(self, playing, frame, bar, beat, tick, bpm):
  2320. self.fTransportInfo = {
  2321. "playing": playing,
  2322. "frame": frame,
  2323. "bar": bar,
  2324. "beat": beat,
  2325. "tick": tick,
  2326. "bpm": bpm
  2327. }
  2328. def _add(self, pluginId):
  2329. if len(self.fPluginsInfo) != pluginId:
  2330. self._reset_info(self.fPluginsInfo[pluginId])
  2331. return
  2332. info = PluginStoreInfo()
  2333. self._reset_info(info)
  2334. self.fPluginsInfo.append(info)
  2335. def _reset_info(self, info):
  2336. info.pluginInfo = PyCarlaPluginInfo.copy()
  2337. info.pluginRealName = ""
  2338. info.internalValues = [0.0, 1.0, 1.0, -1.0, 1.0, 0.0, -1.0]
  2339. info.audioCountInfo = PyCarlaPortCountInfo.copy()
  2340. info.midiCountInfo = PyCarlaPortCountInfo.copy()
  2341. info.parameterCount = 0
  2342. info.parameterCountInfo = PyCarlaPortCountInfo.copy()
  2343. info.parameterInfo = []
  2344. info.parameterData = []
  2345. info.parameterRanges = []
  2346. info.parameterValues = []
  2347. info.programCount = 0
  2348. info.programCurrent = -1
  2349. info.programNames = []
  2350. info.midiProgramCount = 0
  2351. info.midiProgramCurrent = -1
  2352. info.midiProgramData = []
  2353. info.customDataCount = 0
  2354. info.customData = []
  2355. info.peaks = [0.0, 0.0, 0.0, 0.0]
  2356. def _set_pluginInfo(self, pluginId, info):
  2357. self.fPluginsInfo[pluginId].pluginInfo = info
  2358. def _set_pluginInfoUpdate(self, pluginId, info):
  2359. self.fPluginsInfo[pluginId].pluginInfo.update(info)
  2360. def _set_pluginName(self, pluginId, name):
  2361. self.fPluginsInfo[pluginId].pluginInfo['name'] = name
  2362. def _set_pluginRealName(self, pluginId, realName):
  2363. self.fPluginsInfo[pluginId].pluginRealName = realName
  2364. def _set_internalValue(self, pluginId, paramIndex, value):
  2365. if pluginId < len(self.fPluginsInfo) and PARAMETER_NULL > paramIndex > PARAMETER_MAX:
  2366. self.fPluginsInfo[pluginId].internalValues[abs(paramIndex)-2] = float(value)
  2367. def _set_audioCountInfo(self, pluginId, info):
  2368. self.fPluginsInfo[pluginId].audioCountInfo = info
  2369. def _set_midiCountInfo(self, pluginId, info):
  2370. self.fPluginsInfo[pluginId].midiCountInfo = info
  2371. def _set_parameterCountInfo(self, pluginId, count, info):
  2372. self.fPluginsInfo[pluginId].parameterCount = count
  2373. self.fPluginsInfo[pluginId].parameterCountInfo = info
  2374. # clear
  2375. self.fPluginsInfo[pluginId].parameterInfo = []
  2376. self.fPluginsInfo[pluginId].parameterData = []
  2377. self.fPluginsInfo[pluginId].parameterRanges = []
  2378. self.fPluginsInfo[pluginId].parameterValues = []
  2379. # add placeholders
  2380. for x in range(count):
  2381. self.fPluginsInfo[pluginId].parameterInfo.append(PyCarlaParameterInfo.copy())
  2382. self.fPluginsInfo[pluginId].parameterData.append(PyParameterData.copy())
  2383. self.fPluginsInfo[pluginId].parameterRanges.append(PyParameterRanges.copy())
  2384. self.fPluginsInfo[pluginId].parameterValues.append(0.0)
  2385. def _set_programCount(self, pluginId, count):
  2386. self.fPluginsInfo[pluginId].programCount = count
  2387. # clear
  2388. self.fPluginsInfo[pluginId].programNames = []
  2389. # add placeholders
  2390. for x in range(count):
  2391. self.fPluginsInfo[pluginId].programNames.append("")
  2392. def _set_midiProgramCount(self, pluginId, count):
  2393. self.fPluginsInfo[pluginId].midiProgramCount = count
  2394. # clear
  2395. self.fPluginsInfo[pluginId].midiProgramData = []
  2396. # add placeholders
  2397. for x in range(count):
  2398. self.fPluginsInfo[pluginId].midiProgramData.append(PyMidiProgramData.copy())
  2399. def _set_customDataCount(self, pluginId, count):
  2400. self.fPluginsInfo[pluginId].customDataCount = count
  2401. # clear
  2402. self.fPluginsInfo[pluginId].customData = []
  2403. # add placeholders
  2404. for x in range(count):
  2405. self.fPluginsInfo[pluginId].customData.append(PyCustomData)
  2406. def _set_parameterInfo(self, pluginId, paramIndex, info):
  2407. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2408. self.fPluginsInfo[pluginId].parameterInfo[paramIndex] = info
  2409. def _set_parameterData(self, pluginId, paramIndex, data):
  2410. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2411. self.fPluginsInfo[pluginId].parameterData[paramIndex] = data
  2412. def _set_parameterRanges(self, pluginId, paramIndex, ranges):
  2413. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2414. self.fPluginsInfo[pluginId].parameterRanges[paramIndex] = ranges
  2415. def _set_parameterRangesUpdate(self, pluginId, paramIndex, ranges):
  2416. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2417. self.fPluginsInfo[pluginId].parameterRanges[paramIndex].update(ranges)
  2418. def _set_parameterValue(self, pluginId, paramIndex, value):
  2419. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2420. self.fPluginsInfo[pluginId].parameterValues[paramIndex] = value
  2421. def _set_parameterDefault(self, pluginId, paramIndex, value):
  2422. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2423. self.fPluginsInfo[pluginId].parameterRanges[paramIndex]['def'] = value
  2424. def _set_parameterMidiChannel(self, pluginId, paramIndex, channel):
  2425. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2426. self.fPluginsInfo[pluginId].parameterData[paramIndex]['midiChannel'] = channel
  2427. def _set_parameterMidiCC(self, pluginId, paramIndex, cc):
  2428. if pluginId < len(self.fPluginsInfo) and paramIndex < self.fPluginsInfo[pluginId].parameterCount:
  2429. self.fPluginsInfo[pluginId].parameterData[paramIndex]['midiCC'] = cc
  2430. def _set_currentProgram(self, pluginId, pIndex):
  2431. self.fPluginsInfo[pluginId].programCurrent = pIndex
  2432. def _set_currentMidiProgram(self, pluginId, mpIndex):
  2433. self.fPluginsInfo[pluginId].midiProgramCurrent = mpIndex
  2434. def _set_programName(self, pluginId, pIndex, name):
  2435. if pIndex < self.fPluginsInfo[pluginId].programCount:
  2436. self.fPluginsInfo[pluginId].programNames[pIndex] = name
  2437. def _set_midiProgramData(self, pluginId, mpIndex, data):
  2438. if mpIndex < self.fPluginsInfo[pluginId].midiProgramCount:
  2439. self.fPluginsInfo[pluginId].midiProgramData[mpIndex] = data
  2440. def _set_customData(self, pluginId, cdIndex, data):
  2441. if cdIndex < self.fPluginsInfo[pluginId].customDataCount:
  2442. self.fPluginsInfo[pluginId].customData[cdIndex] = data
  2443. def _set_peaks(self, pluginId, in1, in2, out1, out2):
  2444. self.fPluginsInfo[pluginId].peaks = [in1, in2, out1, out2]
  2445. # ------------------------------------------------------------------------------------------------------------