The JUCE cross-platform C++ framework, with DISTRHO/KXStudio specific changes
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.

1470 lines
47KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library - "Jules' Utility Class Extensions"
  4. Copyright 2004-11 by Raw Material Software Ltd.
  5. ------------------------------------------------------------------------------
  6. JUCE can be redistributed and/or modified under the terms of the GNU General
  7. Public License (Version 2), as published by the Free Software Foundation.
  8. A copy of the license is included in the JUCE distribution, or can be found
  9. online at www.gnu.org/licenses.
  10. JUCE is distributed in the hope that it will be useful, but WITHOUT ANY
  11. WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR
  12. A PARTICULAR PURPOSE. See the GNU General Public License for more details.
  13. ------------------------------------------------------------------------------
  14. To release a closed-source product which uses JUCE, commercial licenses are
  15. available: visit www.rawmaterialsoftware.com/juce for more information.
  16. ==============================================================================
  17. */
  18. #include "../utility/juce_CheckSettingMacros.h"
  19. #if JucePlugin_Build_VST
  20. #ifdef _MSC_VER
  21. #pragma warning (disable : 4996 4100)
  22. #endif
  23. #ifdef _WIN32
  24. #undef _WIN32_WINNT
  25. #define _WIN32_WINNT 0x500
  26. #undef STRICT
  27. #define STRICT 1
  28. #include <windows.h>
  29. #elif defined (LINUX)
  30. #include <X11/Xlib.h>
  31. #include <X11/Xutil.h>
  32. #include <X11/Xatom.h>
  33. #undef KeyPress
  34. #else
  35. #include <Carbon/Carbon.h>
  36. #endif
  37. #ifdef PRAGMA_ALIGN_SUPPORTED
  38. #undef PRAGMA_ALIGN_SUPPORTED
  39. #define PRAGMA_ALIGN_SUPPORTED 1
  40. #endif
  41. //==============================================================================
  42. /* These files come with the Steinberg VST SDK - to get them, you'll need to
  43. visit the Steinberg website and jump through some hoops to sign up as a
  44. VST developer.
  45. Then, you'll need to make sure your include path contains your "vstsdk2.4" directory.
  46. */
  47. #ifdef __GNUC__
  48. #define __cdecl
  49. #endif
  50. // VSTSDK V2.4 includes..
  51. #include <public.sdk/source/vst2.x/audioeffectx.h>
  52. #include <public.sdk/source/vst2.x/aeffeditor.h>
  53. #include <public.sdk/source/vst2.x/audioeffectx.cpp>
  54. #include <public.sdk/source/vst2.x/audioeffect.cpp>
  55. #if ! VST_2_4_EXTENSIONS
  56. #error "It looks like you're trying to include an out-of-date VSTSDK version - make sure you have at least version 2.4"
  57. #endif
  58. //==============================================================================
  59. #ifdef _MSC_VER
  60. #pragma pack (push, 8)
  61. #endif
  62. #include "../utility/juce_IncludeModuleHeaders.h"
  63. #include "../utility/juce_FakeMouseMoveGenerator.h"
  64. #include "../utility/juce_PluginHostType.h"
  65. #ifdef _MSC_VER
  66. #pragma pack (pop)
  67. #endif
  68. #undef MemoryBlock
  69. class JuceVSTWrapper;
  70. static bool recursionCheck = false;
  71. static JUCE_NAMESPACE::uint32 lastMasterIdleCall = 0;
  72. BEGIN_JUCE_NAMESPACE
  73. extern void JUCE_API juce_callAnyTimersSynchronously();
  74. #if JUCE_MAC
  75. extern void initialiseMac();
  76. extern void* attachComponentToWindowRef (Component* component, void* windowRef);
  77. extern void detachComponentFromWindowRef (Component* component, void* nsWindow);
  78. extern void setNativeHostWindowSize (void* nsWindow, Component* editorComp, int newWidth, int newHeight, const PluginHostType& host);
  79. extern void checkWindowVisibility (void* nsWindow, Component* component);
  80. extern bool forwardCurrentKeyEventToHost (Component* component);
  81. #endif
  82. #if JUCE_LINUX
  83. extern Display* display;
  84. #endif
  85. END_JUCE_NAMESPACE
  86. //==============================================================================
  87. #if JUCE_WINDOWS
  88. namespace
  89. {
  90. HWND findMDIParentOf (HWND w)
  91. {
  92. const int frameThickness = GetSystemMetrics (SM_CYFIXEDFRAME);
  93. while (w != 0)
  94. {
  95. HWND parent = GetParent (w);
  96. if (parent == 0)
  97. break;
  98. TCHAR windowType[32] = { 0 };
  99. GetClassName (parent, windowType, 31);
  100. if (String (windowType).equalsIgnoreCase ("MDIClient"))
  101. return parent;
  102. RECT windowPos, parentPos;
  103. GetWindowRect (w, &windowPos);
  104. GetWindowRect (parent, &parentPos);
  105. const int dw = (parentPos.right - parentPos.left) - (windowPos.right - windowPos.left);
  106. const int dh = (parentPos.bottom - parentPos.top) - (windowPos.bottom - windowPos.top);
  107. if (dw > 100 || dh > 100)
  108. break;
  109. w = parent;
  110. if (dw == 2 * frameThickness)
  111. break;
  112. }
  113. return w;
  114. }
  115. //==============================================================================
  116. static HHOOK mouseWheelHook = 0;
  117. static int mouseHookUsers = 0;
  118. LRESULT CALLBACK mouseWheelHookCallback (int nCode, WPARAM wParam, LPARAM lParam)
  119. {
  120. if (nCode >= 0 && wParam == WM_MOUSEWHEEL)
  121. {
  122. const MOUSEHOOKSTRUCTEX& hs = *(MOUSEHOOKSTRUCTEX*) lParam;
  123. Component* const comp = Desktop::getInstance().findComponentAt (Point<int> (hs.pt.x,
  124. hs.pt.y));
  125. if (comp != nullptr && comp->getWindowHandle() != 0)
  126. return PostMessage ((HWND) comp->getWindowHandle(), WM_MOUSEWHEEL,
  127. hs.mouseData & 0xffff0000, (hs.pt.x & 0xffff) | (hs.pt.y << 16));
  128. }
  129. return CallNextHookEx (mouseWheelHook, nCode, wParam, lParam);
  130. }
  131. void registerMouseWheelHook()
  132. {
  133. if (mouseHookUsers++ == 0)
  134. mouseWheelHook = SetWindowsHookEx (WH_MOUSE, mouseWheelHookCallback,
  135. (HINSTANCE) Process::getCurrentModuleInstanceHandle(),
  136. GetCurrentThreadId());
  137. }
  138. void unregisterMouseWheelHook()
  139. {
  140. if (--mouseHookUsers == 0 && mouseWheelHook != 0)
  141. {
  142. UnhookWindowsHookEx (mouseWheelHook);
  143. mouseWheelHook = 0;
  144. }
  145. }
  146. }
  147. //==============================================================================
  148. #elif JUCE_LINUX
  149. class SharedMessageThread : public Thread
  150. {
  151. public:
  152. SharedMessageThread()
  153. : Thread ("VstMessageThread"),
  154. initialised (false)
  155. {
  156. startThread (7);
  157. while (! initialised)
  158. sleep (1);
  159. }
  160. ~SharedMessageThread()
  161. {
  162. signalThreadShouldExit();
  163. JUCEApplication::quit();
  164. waitForThreadToExit (5000);
  165. clearSingletonInstance();
  166. }
  167. void run()
  168. {
  169. initialiseJuce_GUI();
  170. initialised = true;
  171. MessageManager::getInstance()->setCurrentThreadAsMessageThread();
  172. while ((! threadShouldExit()) && MessageManager::getInstance()->runDispatchLoopUntil (250))
  173. {}
  174. }
  175. juce_DeclareSingleton (SharedMessageThread, false);
  176. private:
  177. bool initialised;
  178. };
  179. juce_ImplementSingleton (SharedMessageThread)
  180. #endif
  181. static Array<void*> activePlugins;
  182. //==============================================================================
  183. /**
  184. This is an AudioEffectX object that holds and wraps our AudioProcessor...
  185. */
  186. class JuceVSTWrapper : public AudioEffectX,
  187. private Timer,
  188. public AudioProcessorListener,
  189. public AudioPlayHead
  190. {
  191. public:
  192. //==============================================================================
  193. JuceVSTWrapper (audioMasterCallback audioMaster, AudioProcessor* const filter_)
  194. : AudioEffectX (audioMaster, filter_->getNumPrograms(), filter_->getNumParameters()),
  195. filter (filter_),
  196. chunkMemoryTime (0),
  197. speakerIn (kSpeakerArrEmpty),
  198. speakerOut (kSpeakerArrEmpty),
  199. numInChans (JucePlugin_MaxNumInputChannels),
  200. numOutChans (JucePlugin_MaxNumOutputChannels),
  201. isProcessing (false),
  202. hasShutdown (false),
  203. firstProcessCallback (true),
  204. shouldDeleteEditor (false),
  205. hostWindow (0)
  206. {
  207. filter->setPlayConfigDetails (numInChans, numOutChans, 0, 0);
  208. filter->setPlayHead (this);
  209. filter->addListener (this);
  210. cEffect.flags |= effFlagsHasEditor;
  211. cEffect.version = (long) (JucePlugin_VersionCode);
  212. setUniqueID ((int) (JucePlugin_VSTUniqueID));
  213. setNumInputs (numInChans);
  214. setNumOutputs (numOutChans);
  215. canProcessReplacing (true);
  216. isSynth ((JucePlugin_IsSynth) != 0);
  217. noTail (((JucePlugin_SilenceInProducesSilenceOut) != 0) && (JucePlugin_TailLengthSeconds <= 0));
  218. setInitialDelay (filter->getLatencySamples());
  219. programsAreChunks (true);
  220. activePlugins.add (this);
  221. }
  222. ~JuceVSTWrapper()
  223. {
  224. JUCE_AUTORELEASEPOOL
  225. {
  226. #if JUCE_LINUX
  227. MessageManagerLock mmLock;
  228. #endif
  229. stopTimer();
  230. deleteEditor (false);
  231. hasShutdown = true;
  232. delete filter;
  233. filter = 0;
  234. jassert (editorComp == 0);
  235. channels.free();
  236. deleteTempChannels();
  237. jassert (activePlugins.contains (this));
  238. activePlugins.removeValue (this);
  239. }
  240. if (activePlugins.size() == 0)
  241. {
  242. #if JUCE_LINUX
  243. SharedMessageThread::deleteInstance();
  244. #endif
  245. shutdownJuce_GUI();
  246. }
  247. }
  248. void open()
  249. {
  250. // Note: most hosts call this on the UI thread, but wavelab doesn't, so be careful in here.
  251. if (filter->hasEditor())
  252. cEffect.flags |= effFlagsHasEditor;
  253. else
  254. cEffect.flags &= ~effFlagsHasEditor;
  255. }
  256. void close()
  257. {
  258. // Note: most hosts call this on the UI thread, but wavelab doesn't, so be careful in here.
  259. stopTimer();
  260. if (MessageManager::getInstance()->isThisTheMessageThread())
  261. deleteEditor (false);
  262. }
  263. //==============================================================================
  264. bool getEffectName (char* name)
  265. {
  266. String (JucePlugin_Name).copyToUTF8 (name, 64);
  267. return true;
  268. }
  269. bool getVendorString (char* text)
  270. {
  271. String (JucePlugin_Manufacturer).copyToUTF8 (text, 64);
  272. return true;
  273. }
  274. bool getProductString (char* text) { return getEffectName (text); }
  275. VstInt32 getVendorVersion() { return JucePlugin_VersionCode; }
  276. VstPlugCategory getPlugCategory() { return JucePlugin_VSTCategory; }
  277. bool keysRequired() { return (JucePlugin_EditorRequiresKeyboardFocus) != 0; }
  278. VstInt32 canDo (char* text)
  279. {
  280. VstInt32 result = 0;
  281. if (strcmp (text, "receiveVstEvents") == 0
  282. || strcmp (text, "receiveVstMidiEvent") == 0
  283. || strcmp (text, "receiveVstMidiEvents") == 0)
  284. {
  285. #if JucePlugin_WantsMidiInput
  286. result = 1;
  287. #else
  288. result = -1;
  289. #endif
  290. }
  291. else if (strcmp (text, "sendVstEvents") == 0
  292. || strcmp (text, "sendVstMidiEvent") == 0
  293. || strcmp (text, "sendVstMidiEvents") == 0)
  294. {
  295. #if JucePlugin_ProducesMidiOutput
  296. result = 1;
  297. #else
  298. result = -1;
  299. #endif
  300. }
  301. else if (strcmp (text, "receiveVstTimeInfo") == 0
  302. || strcmp (text, "conformsToWindowRules") == 0)
  303. {
  304. result = 1;
  305. }
  306. else if (strcmp (text, "openCloseAnyThread") == 0)
  307. {
  308. // This tells Wavelab to use the UI thread to invoke open/close,
  309. // like all other hosts do.
  310. result = -1;
  311. }
  312. return result;
  313. }
  314. bool getInputProperties (VstInt32 index, VstPinProperties* properties)
  315. {
  316. if (filter == nullptr || index >= JucePlugin_MaxNumInputChannels)
  317. return false;
  318. setPinProperties (*properties, filter->getInputChannelName ((int) index),
  319. speakerIn, filter->isInputChannelStereoPair ((int) index));
  320. return true;
  321. }
  322. bool getOutputProperties (VstInt32 index, VstPinProperties* properties)
  323. {
  324. if (filter == nullptr || index >= JucePlugin_MaxNumOutputChannels)
  325. return false;
  326. setPinProperties (*properties, filter->getOutputChannelName ((int) index),
  327. speakerOut, filter->isOutputChannelStereoPair ((int) index));
  328. return true;
  329. }
  330. static void setPinProperties (VstPinProperties& properties, const String& name,
  331. VstSpeakerArrangementType type, const bool isPair)
  332. {
  333. name.copyToUTF8 (properties.label, kVstMaxLabelLen - 1);
  334. name.copyToUTF8 (properties.shortLabel, kVstMaxShortLabelLen - 1);
  335. if (type != kSpeakerArrEmpty)
  336. {
  337. properties.flags = kVstPinUseSpeaker;
  338. properties.arrangementType = type;
  339. }
  340. else
  341. {
  342. properties.flags = kVstPinIsActive;
  343. properties.arrangementType = 0;
  344. if (isPair)
  345. properties.flags |= kVstPinIsStereo;
  346. }
  347. }
  348. //==============================================================================
  349. VstInt32 processEvents (VstEvents* events)
  350. {
  351. #if JucePlugin_WantsMidiInput
  352. VSTMidiEventList::addEventsToMidiBuffer (events, midiEvents);
  353. return 1;
  354. #else
  355. return 0;
  356. #endif
  357. }
  358. void process (float** inputs, float** outputs, VstInt32 numSamples)
  359. {
  360. const int numIn = numInChans;
  361. const int numOut = numOutChans;
  362. AudioSampleBuffer temp (numIn, numSamples);
  363. int i;
  364. for (i = numIn; --i >= 0;)
  365. memcpy (temp.getSampleData (i), outputs[i], sizeof (float) * numSamples);
  366. processReplacing (inputs, outputs, numSamples);
  367. AudioSampleBuffer dest (outputs, numOut, numSamples);
  368. for (i = jmin (numIn, numOut); --i >= 0;)
  369. dest.addFrom (i, 0, temp, i, 0, numSamples);
  370. }
  371. void processReplacing (float** inputs, float** outputs, VstInt32 numSamples)
  372. {
  373. if (firstProcessCallback)
  374. {
  375. firstProcessCallback = false;
  376. // if this fails, the host hasn't called resume() before processing
  377. jassert (isProcessing);
  378. // (tragically, some hosts actually need this, although it's stupid to have
  379. // to do it here..)
  380. if (! isProcessing)
  381. resume();
  382. filter->setNonRealtime (getCurrentProcessLevel() == 4 /* kVstProcessLevelOffline */);
  383. #if JUCE_WINDOWS
  384. if (GetThreadPriority (GetCurrentThread()) <= THREAD_PRIORITY_NORMAL
  385. && GetThreadPriority (GetCurrentThread()) >= THREAD_PRIORITY_LOWEST)
  386. filter->setNonRealtime (true);
  387. #endif
  388. }
  389. #if JUCE_DEBUG && ! JucePlugin_ProducesMidiOutput
  390. const int numMidiEventsComingIn = midiEvents.getNumEvents();
  391. #endif
  392. jassert (activePlugins.contains (this));
  393. {
  394. const ScopedLock sl (filter->getCallbackLock());
  395. const int numIn = numInChans;
  396. const int numOut = numOutChans;
  397. if (filter->isSuspended())
  398. {
  399. for (int i = 0; i < numOut; ++i)
  400. zeromem (outputs[i], sizeof (float) * numSamples);
  401. }
  402. else
  403. {
  404. int i;
  405. for (i = 0; i < numOut; ++i)
  406. {
  407. float* chan = tempChannels.getUnchecked(i);
  408. if (chan == nullptr)
  409. {
  410. chan = outputs[i];
  411. // if some output channels are disabled, some hosts supply the same buffer
  412. // for multiple channels - this buggers up our method of copying the
  413. // inputs over the outputs, so we need to create unique temp buffers in this case..
  414. for (int j = i; --j >= 0;)
  415. {
  416. if (outputs[j] == chan)
  417. {
  418. chan = new float [blockSize * 2];
  419. tempChannels.set (i, chan);
  420. break;
  421. }
  422. }
  423. }
  424. if (i < numIn && chan != inputs[i])
  425. memcpy (chan, inputs[i], sizeof (float) * numSamples);
  426. channels[i] = chan;
  427. }
  428. for (; i < numIn; ++i)
  429. channels[i] = inputs[i];
  430. {
  431. AudioSampleBuffer chans (channels, jmax (numIn, numOut), numSamples);
  432. filter->processBlock (chans, midiEvents);
  433. }
  434. // copy back any temp channels that may have been used..
  435. for (i = 0; i < numOut; ++i)
  436. {
  437. const float* const chan = tempChannels.getUnchecked(i);
  438. if (chan != nullptr)
  439. memcpy (outputs[i], chan, sizeof (float) * numSamples);
  440. }
  441. }
  442. }
  443. if (! midiEvents.isEmpty())
  444. {
  445. #if JucePlugin_ProducesMidiOutput
  446. const int numEvents = midiEvents.getNumEvents();
  447. outgoingEvents.ensureSize (numEvents);
  448. outgoingEvents.clear();
  449. const JUCE_NAMESPACE::uint8* midiEventData;
  450. int midiEventSize, midiEventPosition;
  451. MidiBuffer::Iterator i (midiEvents);
  452. while (i.getNextEvent (midiEventData, midiEventSize, midiEventPosition))
  453. {
  454. jassert (midiEventPosition >= 0 && midiEventPosition < numSamples);
  455. outgoingEvents.addEvent (midiEventData, midiEventSize, midiEventPosition);
  456. }
  457. sendVstEventsToHost (outgoingEvents.events);
  458. #else
  459. /* This assertion is caused when you've added some events to the
  460. midiMessages array in your processBlock() method, which usually means
  461. that you're trying to send them somewhere. But in this case they're
  462. getting thrown away.
  463. If your plugin does want to send midi messages, you'll need to set
  464. the JucePlugin_ProducesMidiOutput macro to 1 in your
  465. JucePluginCharacteristics.h file.
  466. If you don't want to produce any midi output, then you should clear the
  467. midiMessages array at the end of your processBlock() method, to
  468. indicate that you don't want any of the events to be passed through
  469. to the output.
  470. */
  471. jassert (midiEvents.getNumEvents() <= numMidiEventsComingIn);
  472. #endif
  473. midiEvents.clear();
  474. }
  475. }
  476. //==============================================================================
  477. VstInt32 startProcess() { return 0; }
  478. VstInt32 stopProcess() { return 0; }
  479. void resume()
  480. {
  481. if (filter != nullptr)
  482. {
  483. isProcessing = true;
  484. channels.calloc (numInChans + numOutChans);
  485. double rate = getSampleRate();
  486. jassert (rate > 0);
  487. if (rate <= 0.0)
  488. rate = 44100.0;
  489. const int blockSize = getBlockSize();
  490. jassert (blockSize > 0);
  491. firstProcessCallback = true;
  492. filter->setNonRealtime (getCurrentProcessLevel() == 4 /* kVstProcessLevelOffline */);
  493. filter->setPlayConfigDetails (numInChans, numOutChans, rate, blockSize);
  494. deleteTempChannels();
  495. filter->prepareToPlay (rate, blockSize);
  496. midiEvents.ensureSize (2048);
  497. midiEvents.clear();
  498. setInitialDelay (filter->getLatencySamples());
  499. AudioEffectX::resume();
  500. #if JucePlugin_ProducesMidiOutput
  501. outgoingEvents.ensureSize (512);
  502. #endif
  503. }
  504. }
  505. void suspend()
  506. {
  507. if (filter != nullptr)
  508. {
  509. AudioEffectX::suspend();
  510. filter->releaseResources();
  511. outgoingEvents.freeEvents();
  512. isProcessing = false;
  513. channels.free();
  514. deleteTempChannels();
  515. }
  516. }
  517. bool getCurrentPosition (AudioPlayHead::CurrentPositionInfo& info)
  518. {
  519. const VstTimeInfo* const ti = getTimeInfo (kVstPpqPosValid | kVstTempoValid | kVstBarsValid //| kVstCyclePosValid
  520. | kVstTimeSigValid | kVstSmpteValid | kVstClockValid);
  521. if (ti == nullptr || ti->sampleRate <= 0)
  522. return false;
  523. info.bpm = (ti->flags & kVstTempoValid) != 0 ? ti->tempo : 0.0;
  524. if ((ti->flags & kVstTimeSigValid) != 0)
  525. {
  526. info.timeSigNumerator = ti->timeSigNumerator;
  527. info.timeSigDenominator = ti->timeSigDenominator;
  528. }
  529. else
  530. {
  531. info.timeSigNumerator = 4;
  532. info.timeSigDenominator = 4;
  533. }
  534. info.timeInSeconds = ti->samplePos / ti->sampleRate;
  535. info.ppqPosition = (ti->flags & kVstPpqPosValid) != 0 ? ti->ppqPos : 0.0;
  536. info.ppqPositionOfLastBarStart = (ti->flags & kVstBarsValid) != 0 ? ti->barStartPos : 0.0;
  537. if ((ti->flags & kVstSmpteValid) != 0)
  538. {
  539. AudioPlayHead::FrameRateType rate = AudioPlayHead::fpsUnknown;
  540. double fps = 1.0;
  541. switch (ti->smpteFrameRate)
  542. {
  543. case kVstSmpte24fps: rate = AudioPlayHead::fps24; fps = 24.0; break;
  544. case kVstSmpte25fps: rate = AudioPlayHead::fps25; fps = 25.0; break;
  545. case kVstSmpte2997fps: rate = AudioPlayHead::fps2997; fps = 29.97; break;
  546. case kVstSmpte30fps: rate = AudioPlayHead::fps30; fps = 30.0; break;
  547. case kVstSmpte2997dfps: rate = AudioPlayHead::fps2997drop; fps = 29.97; break;
  548. case kVstSmpte30dfps: rate = AudioPlayHead::fps30drop; fps = 30.0; break;
  549. case kVstSmpteFilm16mm:
  550. case kVstSmpteFilm35mm: fps = 24.0; break;
  551. case kVstSmpte239fps: fps = 23.976; break;
  552. case kVstSmpte249fps: fps = 24.976; break;
  553. case kVstSmpte599fps: fps = 59.94; break;
  554. case kVstSmpte60fps: fps = 60; break;
  555. default: jassertfalse; // unknown frame-rate..
  556. }
  557. info.frameRate = rate;
  558. info.editOriginTime = ti->smpteOffset / (80.0 * fps);
  559. }
  560. else
  561. {
  562. info.frameRate = AudioPlayHead::fpsUnknown;
  563. info.editOriginTime = 0;
  564. }
  565. info.isRecording = (ti->flags & kVstTransportRecording) != 0;
  566. info.isPlaying = (ti->flags & kVstTransportPlaying) != 0 || info.isRecording;
  567. return true;
  568. }
  569. //==============================================================================
  570. VstInt32 getProgram()
  571. {
  572. return filter != nullptr ? filter->getCurrentProgram() : 0;
  573. }
  574. void setProgram (VstInt32 program)
  575. {
  576. if (filter != nullptr)
  577. filter->setCurrentProgram (program);
  578. }
  579. void setProgramName (char* name)
  580. {
  581. if (filter != nullptr)
  582. filter->changeProgramName (filter->getCurrentProgram(), name);
  583. }
  584. void getProgramName (char* name)
  585. {
  586. if (filter != nullptr)
  587. filter->getProgramName (filter->getCurrentProgram()).copyToUTF8 (name, 24);
  588. }
  589. bool getProgramNameIndexed (VstInt32 /*category*/, VstInt32 index, char* text)
  590. {
  591. if (filter != nullptr && isPositiveAndBelow (index, filter->getNumPrograms()))
  592. {
  593. filter->getProgramName (index).copyToUTF8 (text, 24);
  594. return true;
  595. }
  596. return false;
  597. }
  598. //==============================================================================
  599. float getParameter (VstInt32 index)
  600. {
  601. if (filter == nullptr)
  602. return 0.0f;
  603. jassert (isPositiveAndBelow (index, filter->getNumParameters()));
  604. return filter->getParameter (index);
  605. }
  606. void setParameter (VstInt32 index, float value)
  607. {
  608. if (filter != nullptr)
  609. {
  610. jassert (isPositiveAndBelow (index, filter->getNumParameters()));
  611. filter->setParameter (index, value);
  612. }
  613. }
  614. void getParameterDisplay (VstInt32 index, char* text)
  615. {
  616. if (filter != nullptr)
  617. {
  618. jassert (isPositiveAndBelow (index, filter->getNumParameters()));
  619. filter->getParameterText (index).copyToUTF8 (text, 24); // length should technically be kVstMaxParamStrLen, which is 8, but hosts will normally allow a bit more.
  620. }
  621. }
  622. void getParameterName (VstInt32 index, char* text)
  623. {
  624. if (filter != nullptr)
  625. {
  626. jassert (isPositiveAndBelow (index, filter->getNumParameters()));
  627. filter->getParameterName (index).copyToUTF8 (text, 16); // length should technically be kVstMaxParamStrLen, which is 8, but hosts will normally allow a bit more.
  628. }
  629. }
  630. void audioProcessorParameterChanged (AudioProcessor*, int index, float newValue)
  631. {
  632. setParameterAutomated (index, newValue);
  633. }
  634. void audioProcessorParameterChangeGestureBegin (AudioProcessor*, int index) { beginEdit (index); }
  635. void audioProcessorParameterChangeGestureEnd (AudioProcessor*, int index) { endEdit (index); }
  636. void audioProcessorChanged (AudioProcessor*)
  637. {
  638. updateDisplay();
  639. }
  640. bool canParameterBeAutomated (VstInt32 index)
  641. {
  642. return filter != nullptr && filter->isParameterAutomatable ((int) index);
  643. }
  644. class ChannelConfigComparator
  645. {
  646. public:
  647. static int compareElements (const short* const first, const short* const second) noexcept
  648. {
  649. if (first[0] < second[0]) return -1;
  650. else if (first[0] > second[0]) return 1;
  651. else if (first[1] < second[1]) return -1;
  652. else if (first[1] > second[1]) return 1;
  653. return 0;
  654. }
  655. };
  656. bool setSpeakerArrangement (VstSpeakerArrangement* pluginInput,
  657. VstSpeakerArrangement* pluginOutput)
  658. {
  659. short channelConfigs[][2] = { JucePlugin_PreferredChannelConfigurations };
  660. Array <short*> channelConfigsSorted;
  661. ChannelConfigComparator comp;
  662. for (int i = 0; i < numElementsInArray (channelConfigs); ++i)
  663. channelConfigsSorted.addSorted (comp, channelConfigs[i]);
  664. for (int i = channelConfigsSorted.size(); --i >= 0;)
  665. {
  666. const short* const config = channelConfigsSorted.getUnchecked(i);
  667. bool inCountMatches = (config[0] == pluginInput->numChannels);
  668. bool outCountMatches = (config[1] == pluginOutput->numChannels);
  669. if (inCountMatches && outCountMatches)
  670. {
  671. speakerIn = (VstSpeakerArrangementType) pluginInput->type;
  672. speakerOut = (VstSpeakerArrangementType) pluginOutput->type;
  673. numInChans = pluginInput->numChannels;
  674. numOutChans = pluginOutput->numChannels;
  675. filter->setPlayConfigDetails (numInChans, numOutChans,
  676. filter->getSampleRate(),
  677. filter->getBlockSize());
  678. return true;
  679. }
  680. }
  681. return false;
  682. }
  683. //==============================================================================
  684. VstInt32 getChunk (void** data, bool onlyStoreCurrentProgramData)
  685. {
  686. if (filter == nullptr)
  687. return 0;
  688. chunkMemory.setSize (0);
  689. if (onlyStoreCurrentProgramData)
  690. filter->getCurrentProgramStateInformation (chunkMemory);
  691. else
  692. filter->getStateInformation (chunkMemory);
  693. *data = (void*) chunkMemory.getData();
  694. // because the chunk is only needed temporarily by the host (or at least you'd
  695. // hope so) we'll give it a while and then free it in the timer callback.
  696. chunkMemoryTime = JUCE_NAMESPACE::Time::getApproximateMillisecondCounter();
  697. return (VstInt32) chunkMemory.getSize();
  698. }
  699. VstInt32 setChunk (void* data, VstInt32 byteSize, bool onlyRestoreCurrentProgramData)
  700. {
  701. if (filter == nullptr)
  702. return 0;
  703. chunkMemory.setSize (0);
  704. chunkMemoryTime = 0;
  705. if (byteSize > 0 && data != nullptr)
  706. {
  707. if (onlyRestoreCurrentProgramData)
  708. filter->setCurrentProgramStateInformation (data, byteSize);
  709. else
  710. filter->setStateInformation (data, byteSize);
  711. }
  712. return 0;
  713. }
  714. void timerCallback()
  715. {
  716. if (shouldDeleteEditor)
  717. {
  718. shouldDeleteEditor = false;
  719. deleteEditor (true);
  720. }
  721. if (chunkMemoryTime > 0
  722. && chunkMemoryTime < JUCE_NAMESPACE::Time::getApproximateMillisecondCounter() - 2000
  723. && ! recursionCheck)
  724. {
  725. chunkMemoryTime = 0;
  726. chunkMemory.setSize (0);
  727. }
  728. #if JUCE_MAC
  729. if (hostWindow != 0)
  730. checkWindowVisibility (hostWindow, editorComp);
  731. #endif
  732. tryMasterIdle();
  733. }
  734. void tryMasterIdle()
  735. {
  736. if (Component::isMouseButtonDownAnywhere() && ! recursionCheck)
  737. {
  738. const JUCE_NAMESPACE::uint32 now = JUCE_NAMESPACE::Time::getMillisecondCounter();
  739. if (now > lastMasterIdleCall + 20 && editorComp != nullptr)
  740. {
  741. lastMasterIdleCall = now;
  742. recursionCheck = true;
  743. masterIdle();
  744. recursionCheck = false;
  745. }
  746. }
  747. }
  748. void doIdleCallback()
  749. {
  750. // (wavelab calls this on a separate thread and causes a deadlock)..
  751. if (MessageManager::getInstance()->isThisTheMessageThread()
  752. && ! recursionCheck)
  753. {
  754. recursionCheck = true;
  755. JUCE_AUTORELEASEPOOL
  756. juce_callAnyTimersSynchronously();
  757. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  758. ComponentPeer::getPeer (i)->performAnyPendingRepaintsNow();
  759. recursionCheck = false;
  760. }
  761. }
  762. void createEditorComp()
  763. {
  764. if (hasShutdown || filter == nullptr)
  765. return;
  766. if (editorComp == nullptr)
  767. {
  768. AudioProcessorEditor* const ed = filter->createEditorIfNeeded();
  769. if (ed != nullptr)
  770. {
  771. cEffect.flags |= effFlagsHasEditor;
  772. ed->setOpaque (true);
  773. ed->setVisible (true);
  774. editorComp = new EditorCompWrapper (*this, ed);
  775. }
  776. else
  777. {
  778. cEffect.flags &= ~effFlagsHasEditor;
  779. }
  780. }
  781. shouldDeleteEditor = false;
  782. }
  783. void deleteEditor (bool canDeleteLaterIfModal)
  784. {
  785. JUCE_AUTORELEASEPOOL
  786. PopupMenu::dismissAllActiveMenus();
  787. jassert (! recursionCheck);
  788. recursionCheck = true;
  789. if (editorComp != nullptr)
  790. {
  791. Component* const modalComponent = Component::getCurrentlyModalComponent();
  792. if (modalComponent != nullptr)
  793. {
  794. modalComponent->exitModalState (0);
  795. if (canDeleteLaterIfModal)
  796. {
  797. shouldDeleteEditor = true;
  798. recursionCheck = false;
  799. return;
  800. }
  801. }
  802. #if JUCE_MAC
  803. if (hostWindow != 0)
  804. {
  805. detachComponentFromWindowRef (editorComp, hostWindow);
  806. hostWindow = 0;
  807. }
  808. #endif
  809. filter->editorBeingDeleted (editorComp->getEditorComp());
  810. editorComp = nullptr;
  811. // there's some kind of component currently modal, but the host
  812. // is trying to delete our plugin. You should try to avoid this happening..
  813. jassert (Component::getCurrentlyModalComponent() == nullptr);
  814. }
  815. #if JUCE_LINUX
  816. hostWindow = 0;
  817. #endif
  818. recursionCheck = false;
  819. }
  820. VstIntPtr dispatcher (VstInt32 opCode, VstInt32 index, VstIntPtr value, void* ptr, float opt)
  821. {
  822. if (hasShutdown)
  823. return 0;
  824. if (opCode == effEditIdle)
  825. {
  826. doIdleCallback();
  827. return 0;
  828. }
  829. else if (opCode == effEditOpen)
  830. {
  831. checkWhetherMessageThreadIsCorrect();
  832. const MessageManagerLock mmLock;
  833. jassert (! recursionCheck);
  834. startTimer (1000 / 4); // performs misc housekeeping chores
  835. deleteEditor (true);
  836. createEditorComp();
  837. if (editorComp != nullptr)
  838. {
  839. editorComp->setOpaque (true);
  840. editorComp->setVisible (false);
  841. #if JUCE_WINDOWS
  842. editorComp->addToDesktop (0, ptr);
  843. hostWindow = (HWND) ptr;
  844. #elif JUCE_LINUX
  845. editorComp->addToDesktop (0);
  846. hostWindow = (Window) ptr;
  847. Window editorWnd = (Window) editorComp->getWindowHandle();
  848. XReparentWindow (display, editorWnd, hostWindow, 0, 0);
  849. #else
  850. hostWindow = attachComponentToWindowRef (editorComp, (WindowRef) ptr);
  851. #endif
  852. editorComp->setVisible (true);
  853. return 1;
  854. }
  855. }
  856. else if (opCode == effEditClose)
  857. {
  858. checkWhetherMessageThreadIsCorrect();
  859. const MessageManagerLock mmLock;
  860. deleteEditor (true);
  861. return 0;
  862. }
  863. else if (opCode == effEditGetRect)
  864. {
  865. checkWhetherMessageThreadIsCorrect();
  866. const MessageManagerLock mmLock;
  867. createEditorComp();
  868. if (editorComp != nullptr)
  869. {
  870. editorSize.left = 0;
  871. editorSize.top = 0;
  872. editorSize.right = (VstInt16) editorComp->getWidth();
  873. editorSize.bottom = (VstInt16) editorComp->getHeight();
  874. *((ERect**) ptr) = &editorSize;
  875. return (VstIntPtr) (pointer_sized_int) &editorSize;
  876. }
  877. else
  878. {
  879. return 0;
  880. }
  881. }
  882. return AudioEffectX::dispatcher (opCode, index, value, ptr, opt);
  883. }
  884. void resizeHostWindow (int newWidth, int newHeight)
  885. {
  886. if (editorComp != nullptr)
  887. {
  888. if (! (canHostDo (const_cast <char*> ("sizeWindow")) && sizeWindow (newWidth, newHeight)))
  889. {
  890. // some hosts don't support the sizeWindow call, so do it manually..
  891. #if JUCE_MAC
  892. setNativeHostWindowSize (hostWindow, editorComp, newWidth, newHeight, getHostType());
  893. #elif JUCE_LINUX
  894. // (Currently, all linux hosts support sizeWindow, so this should never need to happen)
  895. editorComp->setSize (newWidth, newHeight);
  896. #else
  897. int dw = 0;
  898. int dh = 0;
  899. const int frameThickness = GetSystemMetrics (SM_CYFIXEDFRAME);
  900. HWND w = (HWND) editorComp->getWindowHandle();
  901. while (w != 0)
  902. {
  903. HWND parent = GetParent (w);
  904. if (parent == 0)
  905. break;
  906. TCHAR windowType [32] = { 0 };
  907. GetClassName (parent, windowType, 31);
  908. if (String (windowType).equalsIgnoreCase ("MDIClient"))
  909. break;
  910. RECT windowPos, parentPos;
  911. GetWindowRect (w, &windowPos);
  912. GetWindowRect (parent, &parentPos);
  913. SetWindowPos (w, 0, 0, 0, newWidth + dw, newHeight + dh,
  914. SWP_NOACTIVATE | SWP_NOMOVE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  915. dw = (parentPos.right - parentPos.left) - (windowPos.right - windowPos.left);
  916. dh = (parentPos.bottom - parentPos.top) - (windowPos.bottom - windowPos.top);
  917. w = parent;
  918. if (dw == 2 * frameThickness)
  919. break;
  920. if (dw > 100 || dh > 100)
  921. w = 0;
  922. }
  923. if (w != 0)
  924. SetWindowPos (w, 0, 0, 0, newWidth + dw, newHeight + dh,
  925. SWP_NOACTIVATE | SWP_NOMOVE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  926. #endif
  927. }
  928. if (editorComp->getPeer() != nullptr)
  929. editorComp->getPeer()->handleMovedOrResized();
  930. }
  931. }
  932. static PluginHostType& getHostType()
  933. {
  934. static PluginHostType hostType;
  935. return hostType;
  936. }
  937. //==============================================================================
  938. // A component to hold the AudioProcessorEditor, and cope with some housekeeping
  939. // chores when it changes or repaints.
  940. class EditorCompWrapper : public Component,
  941. public AsyncUpdater
  942. {
  943. public:
  944. EditorCompWrapper (JuceVSTWrapper& wrapper_, AudioProcessorEditor* editor)
  945. : wrapper (wrapper_)
  946. {
  947. setOpaque (true);
  948. editor->setOpaque (true);
  949. setBounds (editor->getBounds());
  950. editor->setTopLeftPosition (0, 0);
  951. addAndMakeVisible (editor);
  952. #if JUCE_WINDOWS
  953. if (! getHostType().isReceptor())
  954. addMouseListener (this, true);
  955. registerMouseWheelHook();
  956. #endif
  957. }
  958. ~EditorCompWrapper()
  959. {
  960. #if JUCE_WINDOWS
  961. unregisterMouseWheelHook();
  962. #endif
  963. deleteAllChildren(); // note that we can't use a ScopedPointer because the editor may
  964. // have been transferred to another parent which takes over ownership.
  965. }
  966. void paint (Graphics&) {}
  967. void paintOverChildren (Graphics&)
  968. {
  969. // this causes an async call to masterIdle() to help
  970. // creaky old DAWs like Nuendo repaint themselves while we're
  971. // repainting. Otherwise they just seem to give up and sit there
  972. // waiting.
  973. triggerAsyncUpdate();
  974. }
  975. #if JUCE_MAC
  976. bool keyPressed (const KeyPress&)
  977. {
  978. // If we have an unused keypress, move the key-focus to a host window
  979. // and re-inject the event..
  980. return forwardCurrentKeyEventToHost (this);
  981. }
  982. #endif
  983. AudioProcessorEditor* getEditorComp() const
  984. {
  985. return dynamic_cast <AudioProcessorEditor*> (getChildComponent (0));
  986. }
  987. void resized()
  988. {
  989. Component* const editor = getChildComponent(0);
  990. if (editor != nullptr)
  991. editor->setBounds (getLocalBounds());
  992. }
  993. void childBoundsChanged (Component* child)
  994. {
  995. child->setTopLeftPosition (0, 0);
  996. const int cw = child->getWidth();
  997. const int ch = child->getHeight();
  998. wrapper.resizeHostWindow (cw, ch);
  999. #if ! JUCE_LINUX // setSize() on linux causes renoise and energyxt to fail.
  1000. setSize (cw, ch);
  1001. #else
  1002. XResizeWindow (display, (Window) getWindowHandle(), cw, ch);
  1003. #endif
  1004. #if JUCE_MAC
  1005. wrapper.resizeHostWindow (cw, ch); // (doing this a second time seems to be necessary in tracktion)
  1006. #endif
  1007. }
  1008. void handleAsyncUpdate()
  1009. {
  1010. wrapper.tryMasterIdle();
  1011. }
  1012. #if JUCE_WINDOWS
  1013. void mouseDown (const MouseEvent&)
  1014. {
  1015. broughtToFront();
  1016. }
  1017. void broughtToFront()
  1018. {
  1019. // for hosts like nuendo, need to also pop the MDI container to the
  1020. // front when our comp is clicked on.
  1021. HWND parent = findMDIParentOf ((HWND) getWindowHandle());
  1022. if (parent != 0)
  1023. SetWindowPos (parent, HWND_TOP, 0, 0, 0, 0, SWP_NOMOVE | SWP_NOSIZE);
  1024. }
  1025. #endif
  1026. private:
  1027. //==============================================================================
  1028. JuceVSTWrapper& wrapper;
  1029. FakeMouseMoveGenerator fakeMouseGenerator;
  1030. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (EditorCompWrapper);
  1031. };
  1032. //==============================================================================
  1033. private:
  1034. AudioProcessor* filter;
  1035. JUCE_NAMESPACE::MemoryBlock chunkMemory;
  1036. JUCE_NAMESPACE::uint32 chunkMemoryTime;
  1037. ScopedPointer<EditorCompWrapper> editorComp;
  1038. ERect editorSize;
  1039. MidiBuffer midiEvents;
  1040. VSTMidiEventList outgoingEvents;
  1041. VstSpeakerArrangementType speakerIn, speakerOut;
  1042. int numInChans, numOutChans;
  1043. bool isProcessing, hasShutdown, firstProcessCallback, shouldDeleteEditor;
  1044. HeapBlock<float*> channels;
  1045. Array<float*> tempChannels; // see note in processReplacing()
  1046. #if JUCE_MAC
  1047. void* hostWindow;
  1048. #elif JUCE_LINUX
  1049. Window hostWindow;
  1050. #else
  1051. HWND hostWindow;
  1052. #endif
  1053. //==============================================================================
  1054. #if JUCE_WINDOWS
  1055. // Workarounds for Wavelab's happy-go-lucky use of threads.
  1056. static void checkWhetherMessageThreadIsCorrect()
  1057. {
  1058. if (getHostType().isWavelab() || getHostType().isCubaseBridged())
  1059. {
  1060. static bool messageThreadIsDefinitelyCorrect = false;
  1061. if (! messageThreadIsDefinitelyCorrect)
  1062. {
  1063. MessageManager::getInstance()->setCurrentThreadAsMessageThread();
  1064. class MessageThreadCallback : public CallbackMessage
  1065. {
  1066. public:
  1067. MessageThreadCallback (bool& triggered_) : triggered (triggered_) {}
  1068. void messageCallback()
  1069. {
  1070. triggered = true;
  1071. }
  1072. private:
  1073. bool& triggered;
  1074. };
  1075. (new MessageThreadCallback (messageThreadIsDefinitelyCorrect))->post();
  1076. }
  1077. }
  1078. }
  1079. #else
  1080. static void checkWhetherMessageThreadIsCorrect() {}
  1081. #endif
  1082. //==============================================================================
  1083. void deleteTempChannels()
  1084. {
  1085. for (int i = tempChannels.size(); --i >= 0;)
  1086. delete[] (tempChannels.getUnchecked(i));
  1087. tempChannels.clear();
  1088. if (filter != nullptr)
  1089. tempChannels.insertMultiple (0, 0, filter->getNumInputChannels() + filter->getNumOutputChannels());
  1090. }
  1091. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (JuceVSTWrapper);
  1092. };
  1093. //==============================================================================
  1094. /** Somewhere in the codebase of your plugin, you need to implement this function
  1095. and make it create an instance of the filter subclass that you're building.
  1096. */
  1097. extern AudioProcessor* JUCE_CALLTYPE createPluginFilter();
  1098. //==============================================================================
  1099. namespace
  1100. {
  1101. AEffect* pluginEntryPoint (audioMasterCallback audioMaster)
  1102. {
  1103. JUCE_AUTORELEASEPOOL
  1104. initialiseJuce_GUI();
  1105. try
  1106. {
  1107. if (audioMaster (0, audioMasterVersion, 0, 0, 0, 0) != 0)
  1108. {
  1109. #if JUCE_LINUX
  1110. MessageManagerLock mmLock;
  1111. #endif
  1112. AudioProcessor* const filter = createPluginFilter();
  1113. if (filter != nullptr)
  1114. {
  1115. JuceVSTWrapper* const wrapper = new JuceVSTWrapper (audioMaster, filter);
  1116. return wrapper->getAeffect();
  1117. }
  1118. }
  1119. }
  1120. catch (...)
  1121. {}
  1122. return nullptr;
  1123. }
  1124. }
  1125. //==============================================================================
  1126. // Mac startup code..
  1127. #if JUCE_MAC
  1128. extern "C" __attribute__ ((visibility("default"))) AEffect* VSTPluginMain (audioMasterCallback audioMaster)
  1129. {
  1130. initialiseMac();
  1131. return pluginEntryPoint (audioMaster);
  1132. }
  1133. extern "C" __attribute__ ((visibility("default"))) AEffect* main_macho (audioMasterCallback audioMaster)
  1134. {
  1135. initialiseMac();
  1136. return pluginEntryPoint (audioMaster);
  1137. }
  1138. //==============================================================================
  1139. // Linux startup code..
  1140. #elif JUCE_LINUX
  1141. extern "C" __attribute__ ((visibility("default"))) AEffect* VSTPluginMain (audioMasterCallback audioMaster)
  1142. {
  1143. SharedMessageThread::getInstance();
  1144. return pluginEntryPoint (audioMaster);
  1145. }
  1146. extern "C" __attribute__ ((visibility("default"))) AEffect* main_plugin (audioMasterCallback audioMaster) asm ("main");
  1147. extern "C" __attribute__ ((visibility("default"))) AEffect* main_plugin (audioMasterCallback audioMaster)
  1148. {
  1149. return VSTPluginMain (audioMaster);
  1150. }
  1151. // don't put initialiseJuce_GUI or shutdownJuce_GUI in these... it will crash!
  1152. __attribute__((constructor)) void myPluginInit() {}
  1153. __attribute__((destructor)) void myPluginFini() {}
  1154. //==============================================================================
  1155. // Win32 startup code..
  1156. #else
  1157. extern "C" __declspec (dllexport) AEffect* VSTPluginMain (audioMasterCallback audioMaster)
  1158. {
  1159. return pluginEntryPoint (audioMaster);
  1160. }
  1161. #ifndef _WIN64 // (can't compile this on win64, but it's not needed anyway with VST2.4)
  1162. extern "C" __declspec (dllexport) void* main (audioMasterCallback audioMaster)
  1163. {
  1164. return (void*) pluginEntryPoint (audioMaster);
  1165. }
  1166. #endif
  1167. #if JucePlugin_Build_RTAS
  1168. BOOL WINAPI DllMainVST (HINSTANCE instance, DWORD dwReason, LPVOID)
  1169. #else
  1170. extern "C" BOOL WINAPI DllMain (HINSTANCE instance, DWORD dwReason, LPVOID)
  1171. #endif
  1172. {
  1173. if (dwReason == DLL_PROCESS_ATTACH)
  1174. Process::setCurrentModuleInstanceHandle (instance);
  1175. return TRUE;
  1176. }
  1177. #endif
  1178. #endif