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.

3495 lines
110KB

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