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.

3450 lines
108KB

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