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.

630 lines
24KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE examples.
  4. Copyright (c) 2017 - ROLI Ltd.
  5. The code included in this file is provided under the terms of the ISC license
  6. http://www.isc.org/downloads/software-support-policy/isc-license. Permission
  7. To use, copy, modify, and/or distribute this software for any purpose with or
  8. without fee is hereby granted provided that the above copyright notice and
  9. this permission notice appear in all copies.
  10. THE SOFTWARE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES,
  11. WHETHER EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR
  12. PURPOSE, ARE DISCLAIMED.
  13. ==============================================================================
  14. */
  15. /*******************************************************************************
  16. The block below describes the properties of this PIP. A PIP is a short snippet
  17. of code that can be read by the Projucer and used to generate a JUCE project.
  18. BEGIN_JUCE_PIP_METADATA
  19. name: AudioPluginDemo
  20. version: 1.0.0
  21. vendor: JUCE
  22. website: http://juce.com
  23. description: Synthesiser audio plugin.
  24. dependencies: juce_audio_basics, juce_audio_devices, juce_audio_formats,
  25. juce_audio_plugin_client, juce_audio_processors,
  26. juce_audio_utils, juce_core, juce_data_structures,
  27. juce_events, juce_graphics, juce_gui_basics, juce_gui_extra
  28. exporters: xcode_mac, vs2017, vs2019, linux_make, xcode_iphone, androidstudio
  29. moduleFlags: JUCE_STRICT_REFCOUNTEDPOINTER=1
  30. type: AudioProcessor
  31. mainClass: JuceDemoPluginAudioProcessor
  32. useLocalCopy: 1
  33. END_JUCE_PIP_METADATA
  34. *******************************************************************************/
  35. #pragma once
  36. //==============================================================================
  37. /** A demo synth sound that's just a basic sine wave.. */
  38. class SineWaveSound : public SynthesiserSound
  39. {
  40. public:
  41. SineWaveSound() {}
  42. bool appliesToNote (int /*midiNoteNumber*/) override { return true; }
  43. bool appliesToChannel (int /*midiChannel*/) override { return true; }
  44. };
  45. //==============================================================================
  46. /** A simple demo synth voice that just plays a sine wave.. */
  47. class SineWaveVoice : public SynthesiserVoice
  48. {
  49. public:
  50. SineWaveVoice() {}
  51. bool canPlaySound (SynthesiserSound* sound) override
  52. {
  53. return dynamic_cast<SineWaveSound*> (sound) != nullptr;
  54. }
  55. void startNote (int midiNoteNumber, float velocity,
  56. SynthesiserSound* /*sound*/,
  57. int /*currentPitchWheelPosition*/) override
  58. {
  59. currentAngle = 0.0;
  60. level = velocity * 0.15;
  61. tailOff = 0.0;
  62. auto cyclesPerSecond = MidiMessage::getMidiNoteInHertz (midiNoteNumber);
  63. auto cyclesPerSample = cyclesPerSecond / getSampleRate();
  64. angleDelta = cyclesPerSample * MathConstants<double>::twoPi;
  65. }
  66. void stopNote (float /*velocity*/, bool allowTailOff) override
  67. {
  68. if (allowTailOff)
  69. {
  70. // start a tail-off by setting this flag. The render callback will pick up on
  71. // this and do a fade out, calling clearCurrentNote() when it's finished.
  72. if (tailOff == 0.0) // we only need to begin a tail-off if it's not already doing so - the
  73. // stopNote method could be called more than once.
  74. tailOff = 1.0;
  75. }
  76. else
  77. {
  78. // we're being told to stop playing immediately, so reset everything..
  79. clearCurrentNote();
  80. angleDelta = 0.0;
  81. }
  82. }
  83. void pitchWheelMoved (int /*newValue*/) override
  84. {
  85. // not implemented for the purposes of this demo!
  86. }
  87. void controllerMoved (int /*controllerNumber*/, int /*newValue*/) override
  88. {
  89. // not implemented for the purposes of this demo!
  90. }
  91. void renderNextBlock (AudioBuffer<float>& outputBuffer, int startSample, int numSamples) override
  92. {
  93. if (angleDelta != 0.0)
  94. {
  95. if (tailOff > 0.0)
  96. {
  97. while (--numSamples >= 0)
  98. {
  99. auto currentSample = (float) (sin (currentAngle) * level * tailOff);
  100. for (auto i = outputBuffer.getNumChannels(); --i >= 0;)
  101. outputBuffer.addSample (i, startSample, currentSample);
  102. currentAngle += angleDelta;
  103. ++startSample;
  104. tailOff *= 0.99;
  105. if (tailOff <= 0.005)
  106. {
  107. // tells the synth that this voice has stopped
  108. clearCurrentNote();
  109. angleDelta = 0.0;
  110. break;
  111. }
  112. }
  113. }
  114. else
  115. {
  116. while (--numSamples >= 0)
  117. {
  118. auto currentSample = (float) (sin (currentAngle) * level);
  119. for (auto i = outputBuffer.getNumChannels(); --i >= 0;)
  120. outputBuffer.addSample (i, startSample, currentSample);
  121. currentAngle += angleDelta;
  122. ++startSample;
  123. }
  124. }
  125. }
  126. }
  127. private:
  128. double currentAngle = 0.0;
  129. double angleDelta = 0.0;
  130. double level = 0.0;
  131. double tailOff = 0.0;
  132. };
  133. //==============================================================================
  134. /** As the name suggest, this class does the actual audio processing. */
  135. class JuceDemoPluginAudioProcessor : public AudioProcessor
  136. {
  137. public:
  138. //==============================================================================
  139. JuceDemoPluginAudioProcessor()
  140. : AudioProcessor (getBusesProperties()),
  141. state (*this, nullptr, "state",
  142. { std::make_unique<AudioParameterFloat> ("gain", "Gain", NormalisableRange<float> (0.0f, 1.0f), 0.9f),
  143. std::make_unique<AudioParameterFloat> ("delay", "Delay Feedback", NormalisableRange<float> (0.0f, 1.0f), 0.5f) })
  144. {
  145. lastPosInfo.resetToDefault();
  146. // Add a sub-tree to store the state of our UI
  147. state.state.addChild ({ "uiState", { { "width", 400 }, { "height", 200 } }, {} }, -1, nullptr);
  148. initialiseSynth();
  149. }
  150. ~JuceDemoPluginAudioProcessor() {}
  151. //==============================================================================
  152. bool isBusesLayoutSupported (const BusesLayout& layouts) const override
  153. {
  154. // Only mono/stereo and input/output must have same layout
  155. const auto& mainOutput = layouts.getMainOutputChannelSet();
  156. const auto& mainInput = layouts.getMainInputChannelSet();
  157. // input and output layout must either be the same or the input must be disabled altogether
  158. if (! mainInput.isDisabled() && mainInput != mainOutput)
  159. return false;
  160. // do not allow disabling the main buses
  161. if (mainOutput.isDisabled())
  162. return false;
  163. // only allow stereo and mono
  164. if (mainOutput.size() > 2)
  165. return false;
  166. return true;
  167. }
  168. void prepareToPlay (double newSampleRate, int /*samplesPerBlock*/) override
  169. {
  170. // Use this method as the place to do any pre-playback
  171. // initialisation that you need..
  172. synth.setCurrentPlaybackSampleRate (newSampleRate);
  173. keyboardState.reset();
  174. if (isUsingDoublePrecision())
  175. {
  176. delayBufferDouble.setSize (2, 12000);
  177. delayBufferFloat .setSize (1, 1);
  178. }
  179. else
  180. {
  181. delayBufferFloat .setSize (2, 12000);
  182. delayBufferDouble.setSize (1, 1);
  183. }
  184. reset();
  185. }
  186. void releaseResources() override
  187. {
  188. // When playback stops, you can use this as an opportunity to free up any
  189. // spare memory, etc.
  190. keyboardState.reset();
  191. }
  192. void reset() override
  193. {
  194. // Use this method as the place to clear any delay lines, buffers, etc, as it
  195. // means there's been a break in the audio's continuity.
  196. delayBufferFloat .clear();
  197. delayBufferDouble.clear();
  198. }
  199. //==============================================================================
  200. void processBlock (AudioBuffer<float>& buffer, MidiBuffer& midiMessages) override
  201. {
  202. jassert (! isUsingDoublePrecision());
  203. process (buffer, midiMessages, delayBufferFloat);
  204. }
  205. void processBlock (AudioBuffer<double>& buffer, MidiBuffer& midiMessages) override
  206. {
  207. jassert (isUsingDoublePrecision());
  208. process (buffer, midiMessages, delayBufferDouble);
  209. }
  210. //==============================================================================
  211. bool hasEditor() const override { return true; }
  212. AudioProcessorEditor* createEditor() override
  213. {
  214. return new JuceDemoPluginAudioProcessorEditor (*this);
  215. }
  216. //==============================================================================
  217. const String getName() const override { return JucePlugin_Name; }
  218. bool acceptsMidi() const override { return true; }
  219. bool producesMidi() const override { return true; }
  220. double getTailLengthSeconds() const override { return 0.0; }
  221. //==============================================================================
  222. int getNumPrograms() override { return 0; }
  223. int getCurrentProgram() override { return 0; }
  224. void setCurrentProgram (int) override {}
  225. const String getProgramName (int) override { return {}; }
  226. void changeProgramName (int, const String&) override {}
  227. //==============================================================================
  228. void getStateInformation (MemoryBlock& destData) override
  229. {
  230. // Store an xml representation of our state.
  231. if (auto xmlState = state.copyState().createXml())
  232. copyXmlToBinary (*xmlState, destData);
  233. }
  234. void setStateInformation (const void* data, int sizeInBytes) override
  235. {
  236. // Restore our plug-in's state from the xml representation stored in the above
  237. // method.
  238. if (auto xmlState = getXmlFromBinary (data, sizeInBytes))
  239. state.replaceState (ValueTree::fromXml (*xmlState));
  240. }
  241. //==============================================================================
  242. void updateTrackProperties (const TrackProperties& properties) override
  243. {
  244. trackProperties = properties;
  245. if (auto* editor = dynamic_cast<JuceDemoPluginAudioProcessorEditor*> (getActiveEditor()))
  246. editor->updateTrackProperties ();
  247. }
  248. //==============================================================================
  249. // These properties are public so that our editor component can access them
  250. // A bit of a hacky way to do it, but it's only a demo! Obviously in your own
  251. // code you'll do this much more neatly..
  252. // this is kept up to date with the midi messages that arrive, and the UI component
  253. // registers with it so it can represent the incoming messages
  254. MidiKeyboardState keyboardState;
  255. // this keeps a copy of the last set of time info that was acquired during an audio
  256. // callback - the UI component will read this and display it.
  257. AudioPlayHead::CurrentPositionInfo lastPosInfo;
  258. // Our plug-in's current state
  259. AudioProcessorValueTreeState state;
  260. // Current track colour and name
  261. TrackProperties trackProperties;
  262. private:
  263. //==============================================================================
  264. /** This is the editor component that our filter will display. */
  265. class JuceDemoPluginAudioProcessorEditor : public AudioProcessorEditor,
  266. private Timer,
  267. private Value::Listener
  268. {
  269. public:
  270. JuceDemoPluginAudioProcessorEditor (JuceDemoPluginAudioProcessor& owner)
  271. : AudioProcessorEditor (owner),
  272. midiKeyboard (owner.keyboardState, MidiKeyboardComponent::horizontalKeyboard),
  273. gainAttachment (owner.state, "gain", gainSlider),
  274. delayAttachment (owner.state, "delay", delaySlider)
  275. {
  276. // add some sliders..
  277. addAndMakeVisible (gainSlider);
  278. gainSlider.setSliderStyle (Slider::Rotary);
  279. addAndMakeVisible (delaySlider);
  280. delaySlider.setSliderStyle (Slider::Rotary);
  281. // add some labels for the sliders..
  282. gainLabel.attachToComponent (&gainSlider, false);
  283. gainLabel.setFont (Font (11.0f));
  284. delayLabel.attachToComponent (&delaySlider, false);
  285. delayLabel.setFont (Font (11.0f));
  286. // add the midi keyboard component..
  287. addAndMakeVisible (midiKeyboard);
  288. // add a label that will display the current timecode and status..
  289. addAndMakeVisible (timecodeDisplayLabel);
  290. timecodeDisplayLabel.setFont (Font (Font::getDefaultMonospacedFontName(), 15.0f, Font::plain));
  291. // set resize limits for this plug-in
  292. setResizeLimits (400, 200, 1024, 700);
  293. lastUIWidth .referTo (owner.state.state.getChildWithName ("uiState").getPropertyAsValue ("width", nullptr));
  294. lastUIHeight.referTo (owner.state.state.getChildWithName ("uiState").getPropertyAsValue ("height", nullptr));
  295. // set our component's initial size to be the last one that was stored in the filter's settings
  296. setSize (lastUIWidth.getValue(), lastUIHeight.getValue());
  297. lastUIWidth. addListener (this);
  298. lastUIHeight.addListener (this);
  299. updateTrackProperties();
  300. // start a timer which will keep our timecode display updated
  301. startTimerHz (30);
  302. }
  303. ~JuceDemoPluginAudioProcessorEditor() {}
  304. //==============================================================================
  305. void paint (Graphics& g) override
  306. {
  307. g.setColour (backgroundColour);
  308. g.fillAll();
  309. }
  310. void resized() override
  311. {
  312. // This lays out our child components...
  313. auto r = getLocalBounds().reduced (8);
  314. timecodeDisplayLabel.setBounds (r.removeFromTop (26));
  315. midiKeyboard .setBounds (r.removeFromBottom (70));
  316. r.removeFromTop (20);
  317. auto sliderArea = r.removeFromTop (60);
  318. gainSlider.setBounds (sliderArea.removeFromLeft (jmin (180, sliderArea.getWidth() / 2)));
  319. delaySlider.setBounds (sliderArea.removeFromLeft (jmin (180, sliderArea.getWidth())));
  320. lastUIWidth = getWidth();
  321. lastUIHeight = getHeight();
  322. }
  323. void timerCallback() override
  324. {
  325. updateTimecodeDisplay (getProcessor().lastPosInfo);
  326. }
  327. void hostMIDIControllerIsAvailable (bool controllerIsAvailable) override
  328. {
  329. midiKeyboard.setVisible (! controllerIsAvailable);
  330. }
  331. int getControlParameterIndex (Component& control) override
  332. {
  333. if (&control == &gainSlider)
  334. return 0;
  335. if (&control == &delaySlider)
  336. return 1;
  337. return -1;
  338. }
  339. void updateTrackProperties()
  340. {
  341. auto trackColour = getProcessor().trackProperties.colour;
  342. auto& lf = getLookAndFeel();
  343. backgroundColour = (trackColour == Colour() ? lf.findColour (ResizableWindow::backgroundColourId)
  344. : trackColour.withAlpha (1.0f).withBrightness (0.266f));
  345. repaint();
  346. }
  347. private:
  348. MidiKeyboardComponent midiKeyboard;
  349. Label timecodeDisplayLabel,
  350. gainLabel { {}, "Throughput level:" },
  351. delayLabel { {}, "Delay:" };
  352. Slider gainSlider, delaySlider;
  353. AudioProcessorValueTreeState::SliderAttachment gainAttachment, delayAttachment;
  354. Colour backgroundColour;
  355. // these are used to persist the UI's size - the values are stored along with the
  356. // filter's other parameters, and the UI component will update them when it gets
  357. // resized.
  358. Value lastUIWidth, lastUIHeight;
  359. //==============================================================================
  360. JuceDemoPluginAudioProcessor& getProcessor() const
  361. {
  362. return static_cast<JuceDemoPluginAudioProcessor&> (processor);
  363. }
  364. //==============================================================================
  365. // quick-and-dirty function to format a timecode string
  366. static String timeToTimecodeString (double seconds)
  367. {
  368. auto millisecs = roundToInt (seconds * 1000.0);
  369. auto absMillisecs = std::abs (millisecs);
  370. return String::formatted ("%02d:%02d:%02d.%03d",
  371. millisecs / 3600000,
  372. (absMillisecs / 60000) % 60,
  373. (absMillisecs / 1000) % 60,
  374. absMillisecs % 1000);
  375. }
  376. // quick-and-dirty function to format a bars/beats string
  377. static String quarterNotePositionToBarsBeatsString (double quarterNotes, int numerator, int denominator)
  378. {
  379. if (numerator == 0 || denominator == 0)
  380. return "1|1|000";
  381. auto quarterNotesPerBar = (numerator * 4 / denominator);
  382. auto beats = (fmod (quarterNotes, quarterNotesPerBar) / quarterNotesPerBar) * numerator;
  383. auto bar = ((int) quarterNotes) / quarterNotesPerBar + 1;
  384. auto beat = ((int) beats) + 1;
  385. auto ticks = ((int) (fmod (beats, 1.0) * 960.0 + 0.5));
  386. return String::formatted ("%d|%d|%03d", bar, beat, ticks);
  387. }
  388. // Updates the text in our position label.
  389. void updateTimecodeDisplay (AudioPlayHead::CurrentPositionInfo pos)
  390. {
  391. MemoryOutputStream displayText;
  392. displayText << "[" << SystemStats::getJUCEVersion() << "] "
  393. << String (pos.bpm, 2) << " bpm, "
  394. << pos.timeSigNumerator << '/' << pos.timeSigDenominator
  395. << " - " << timeToTimecodeString (pos.timeInSeconds)
  396. << " - " << quarterNotePositionToBarsBeatsString (pos.ppqPosition,
  397. pos.timeSigNumerator,
  398. pos.timeSigDenominator);
  399. if (pos.isRecording)
  400. displayText << " (recording)";
  401. else if (pos.isPlaying)
  402. displayText << " (playing)";
  403. timecodeDisplayLabel.setText (displayText.toString(), dontSendNotification);
  404. }
  405. // called when the stored window size changes
  406. void valueChanged (Value&) override
  407. {
  408. setSize (lastUIWidth.getValue(), lastUIHeight.getValue());
  409. }
  410. };
  411. //==============================================================================
  412. template <typename FloatType>
  413. void process (AudioBuffer<FloatType>& buffer, MidiBuffer& midiMessages, AudioBuffer<FloatType>& delayBuffer)
  414. {
  415. auto gainParamValue = state.getParameter ("gain") ->getValue();
  416. auto delayParamValue = state.getParameter ("delay")->getValue();
  417. auto numSamples = buffer.getNumSamples();
  418. // In case we have more outputs than inputs, we'll clear any output
  419. // channels that didn't contain input data, (because these aren't
  420. // guaranteed to be empty - they may contain garbage).
  421. for (auto i = getTotalNumInputChannels(); i < getTotalNumOutputChannels(); ++i)
  422. buffer.clear (i, 0, numSamples);
  423. // Now pass any incoming midi messages to our keyboard state object, and let it
  424. // add messages to the buffer if the user is clicking on the on-screen keys
  425. keyboardState.processNextMidiBuffer (midiMessages, 0, numSamples, true);
  426. // and now get our synth to process these midi events and generate its output.
  427. synth.renderNextBlock (buffer, midiMessages, 0, numSamples);
  428. // Apply our delay effect to the new output..
  429. applyDelay (buffer, delayBuffer, delayParamValue);
  430. // Apply our gain change to the outgoing data..
  431. applyGain (buffer, delayBuffer, gainParamValue);
  432. // Now ask the host for the current time so we can store it to be displayed later...
  433. updateCurrentTimeInfoFromHost();
  434. }
  435. template <typename FloatType>
  436. void applyGain (AudioBuffer<FloatType>& buffer, AudioBuffer<FloatType>& delayBuffer, float gainLevel)
  437. {
  438. ignoreUnused (delayBuffer);
  439. for (auto channel = 0; channel < getTotalNumOutputChannels(); ++channel)
  440. buffer.applyGain (channel, 0, buffer.getNumSamples(), gainLevel);
  441. }
  442. template <typename FloatType>
  443. void applyDelay (AudioBuffer<FloatType>& buffer, AudioBuffer<FloatType>& delayBuffer, float delayLevel)
  444. {
  445. auto numSamples = buffer.getNumSamples();
  446. auto delayPos = 0;
  447. for (auto channel = 0; channel < getTotalNumOutputChannels(); ++channel)
  448. {
  449. auto channelData = buffer.getWritePointer (channel);
  450. auto delayData = delayBuffer.getWritePointer (jmin (channel, delayBuffer.getNumChannels() - 1));
  451. delayPos = delayPosition;
  452. for (auto i = 0; i < numSamples; ++i)
  453. {
  454. auto in = channelData[i];
  455. channelData[i] += delayData[delayPos];
  456. delayData[delayPos] = (delayData[delayPos] + in) * delayLevel;
  457. if (++delayPos >= delayBuffer.getNumSamples())
  458. delayPos = 0;
  459. }
  460. }
  461. delayPosition = delayPos;
  462. }
  463. AudioBuffer<float> delayBufferFloat;
  464. AudioBuffer<double> delayBufferDouble;
  465. int delayPosition = 0;
  466. Synthesiser synth;
  467. void initialiseSynth()
  468. {
  469. auto numVoices = 8;
  470. // Add some voices...
  471. for (auto i = 0; i < numVoices; ++i)
  472. synth.addVoice (new SineWaveVoice());
  473. // ..and give the synth a sound to play
  474. synth.addSound (new SineWaveSound());
  475. }
  476. void updateCurrentTimeInfoFromHost()
  477. {
  478. if (auto* ph = getPlayHead())
  479. {
  480. AudioPlayHead::CurrentPositionInfo newTime;
  481. if (ph->getCurrentPosition (newTime))
  482. {
  483. lastPosInfo = newTime; // Successfully got the current time from the host..
  484. return;
  485. }
  486. }
  487. // If the host fails to provide the current time, we'll just reset our copy to a default..
  488. lastPosInfo.resetToDefault();
  489. }
  490. static BusesProperties getBusesProperties()
  491. {
  492. return BusesProperties().withInput ("Input", AudioChannelSet::stereo(), true)
  493. .withOutput ("Output", AudioChannelSet::stereo(), true);
  494. }
  495. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (JuceDemoPluginAudioProcessor)
  496. };