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.

1183 lines
44KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library.
  4. Copyright (c) 2017 - ROLI Ltd.
  5. JUCE is an open source library subject to commercial or open-source
  6. licensing.
  7. By using JUCE, you agree to the terms of both the JUCE 5 End-User License
  8. Agreement and JUCE 5 Privacy Policy (both updated and effective as of the
  9. 27th April 2017).
  10. End User License Agreement: www.juce.com/juce-5-licence
  11. Privacy Policy: www.juce.com/juce-5-privacy-policy
  12. Or: You may also use this code under the terms of the GPL v3 (see
  13. www.gnu.org/licenses).
  14. JUCE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES, WHETHER
  15. EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR PURPOSE, ARE
  16. DISCLAIMED.
  17. ==============================================================================
  18. */
  19. namespace juce
  20. {
  21. //==============================================================================
  22. AudioProcessorValueTreeState::Parameter::Parameter (const String& parameterID,
  23. const String& parameterName,
  24. const String& labelText,
  25. NormalisableRange<float> valueRange,
  26. float defaultValue,
  27. std::function<String (float)> valueToTextFunction,
  28. std::function<float (const String&)> textToValueFunction,
  29. bool isMetaParameter,
  30. bool isAutomatableParameter,
  31. bool isDiscrete,
  32. AudioProcessorParameter::Category category,
  33. bool isBoolean)
  34. : AudioParameterFloat (parameterID,
  35. parameterName,
  36. valueRange,
  37. defaultValue,
  38. labelText,
  39. category,
  40. valueToTextFunction == nullptr ? std::function<String (float v, int)>()
  41. : [valueToTextFunction](float v, int) { return valueToTextFunction (v); },
  42. std::move (textToValueFunction)),
  43. unsnappedDefault (valueRange.convertTo0to1 (defaultValue)),
  44. metaParameter (isMetaParameter),
  45. automatable (isAutomatableParameter),
  46. discrete (isDiscrete),
  47. boolean (isBoolean)
  48. {
  49. }
  50. float AudioProcessorValueTreeState::Parameter::getDefaultValue() const { return unsnappedDefault; }
  51. int AudioProcessorValueTreeState::Parameter::getNumSteps() const { return RangedAudioParameter::getNumSteps(); }
  52. bool AudioProcessorValueTreeState::Parameter::isMetaParameter() const { return metaParameter; }
  53. bool AudioProcessorValueTreeState::Parameter::isAutomatable() const { return automatable; }
  54. bool AudioProcessorValueTreeState::Parameter::isDiscrete() const { return discrete; }
  55. bool AudioProcessorValueTreeState::Parameter::isBoolean() const { return boolean; }
  56. //==============================================================================
  57. class AudioProcessorValueTreeState::ParameterAdapter : private AudioProcessorParameter::Listener
  58. {
  59. private:
  60. using Listener = AudioProcessorValueTreeState::Listener;
  61. public:
  62. explicit ParameterAdapter (RangedAudioParameter& parameterIn)
  63. : parameter (parameterIn),
  64. // For legacy reasons, the unnormalised value should *not* be snapped on construction
  65. unnormalisedValue (getRange().convertFrom0to1 (parameter.getDefaultValue()))
  66. {
  67. parameter.addListener (this);
  68. }
  69. ~ParameterAdapter() noexcept { parameter.removeListener (this); }
  70. void addListener (Listener* l) { listeners.add (l); }
  71. void removeListener (Listener* l) { listeners.remove (l); }
  72. RangedAudioParameter& getParameter() { return parameter; }
  73. const RangedAudioParameter& getParameter() const { return parameter; }
  74. const NormalisableRange<float>& getRange() const { return parameter.getNormalisableRange(); }
  75. float getDenormalisedDefaultValue() const { return denormalise (parameter.getDefaultValue()); }
  76. void setDenormalisedValue (float value)
  77. {
  78. if (value == unnormalisedValue)
  79. return;
  80. setNormalisedValue (normalise (value));
  81. }
  82. float getDenormalisedValueForText (const String& text) const
  83. {
  84. return denormalise (parameter.getValueForText (text));
  85. }
  86. String getTextForDenormalisedValue (float value) const
  87. {
  88. return parameter.getText (normalise (value), 0);
  89. }
  90. float getDenormalisedValue() const { return unnormalisedValue; }
  91. float& getRawDenormalisedValue() { return unnormalisedValue; }
  92. bool flushToTree (const Identifier& key, UndoManager* um)
  93. {
  94. auto needsUpdateTestValue = true;
  95. if (! needsUpdate.compare_exchange_strong (needsUpdateTestValue, false))
  96. return false;
  97. if (auto valueProperty = tree.getPropertyPointer (key))
  98. {
  99. if ((float) *valueProperty != unnormalisedValue)
  100. {
  101. ScopedValueSetter<bool> svs (ignoreParameterChangedCallbacks, true);
  102. tree.setProperty (key, unnormalisedValue, um);
  103. }
  104. }
  105. else
  106. {
  107. tree.setProperty (key, unnormalisedValue, nullptr);
  108. }
  109. return true;
  110. }
  111. ValueTree tree;
  112. private:
  113. void parameterGestureChanged (int, bool) override {}
  114. void parameterValueChanged (int, float) override
  115. {
  116. const auto newValue = denormalise (parameter.getValue());
  117. if (unnormalisedValue == newValue && ! listenersNeedCalling)
  118. return;
  119. unnormalisedValue = newValue;
  120. listeners.call ([=](Listener& l) { l.parameterChanged (parameter.paramID, unnormalisedValue); });
  121. listenersNeedCalling = false;
  122. needsUpdate = true;
  123. }
  124. float denormalise (float normalised) const
  125. {
  126. return getParameter().convertFrom0to1 (normalised);
  127. }
  128. float normalise (float denormalised) const
  129. {
  130. return getParameter().convertTo0to1 (denormalised);
  131. }
  132. void setNormalisedValue (float value)
  133. {
  134. if (ignoreParameterChangedCallbacks)
  135. return;
  136. parameter.setValueNotifyingHost (value);
  137. }
  138. RangedAudioParameter& parameter;
  139. ListenerList<Listener> listeners;
  140. float unnormalisedValue{};
  141. std::atomic<bool> needsUpdate { true };
  142. bool listenersNeedCalling { true }, ignoreParameterChangedCallbacks { false };
  143. };
  144. //==============================================================================
  145. AudioProcessorValueTreeState::AudioProcessorValueTreeState (AudioProcessor& processorToConnectTo,
  146. UndoManager* undoManagerToUse,
  147. const Identifier& valueTreeType,
  148. ParameterLayout parameterLayout)
  149. : AudioProcessorValueTreeState (processorToConnectTo, undoManagerToUse)
  150. {
  151. struct PushBackVisitor : ParameterLayout::Visitor
  152. {
  153. explicit PushBackVisitor (AudioProcessorValueTreeState& stateIn)
  154. : state (&stateIn) {}
  155. void visit (std::unique_ptr<RangedAudioParameter> param) const override
  156. {
  157. if (param == nullptr)
  158. {
  159. jassertfalse;
  160. return;
  161. }
  162. state->addParameterAdapter (*param);
  163. state->processor.addParameter (param.release());
  164. }
  165. void visit (std::unique_ptr<AudioProcessorParameterGroup> group) const override
  166. {
  167. if (group == nullptr)
  168. {
  169. jassertfalse;
  170. return;
  171. }
  172. for (const auto param : group->getParameters (true))
  173. {
  174. if (const auto rangedParam = dynamic_cast<RangedAudioParameter*> (param))
  175. {
  176. state->addParameterAdapter (*rangedParam);
  177. }
  178. else
  179. {
  180. // If you hit this assertion then you are attempting to add a parameter that is
  181. // not derived from RangedAudioParameter to the AudioProcessorValueTreeState.
  182. jassertfalse;
  183. }
  184. }
  185. state->processor.addParameterGroup (move (group));
  186. }
  187. AudioProcessorValueTreeState* state;
  188. };
  189. for (auto& item : parameterLayout.parameters)
  190. item->accept (PushBackVisitor (*this));
  191. state = ValueTree (valueTreeType);
  192. }
  193. AudioProcessorValueTreeState::AudioProcessorValueTreeState (AudioProcessor& p, UndoManager* um)
  194. : processor (p), undoManager (um)
  195. {
  196. startTimerHz (10);
  197. state.addListener (this);
  198. }
  199. AudioProcessorValueTreeState::~AudioProcessorValueTreeState() {}
  200. //==============================================================================
  201. RangedAudioParameter* AudioProcessorValueTreeState::createAndAddParameter (const String& paramID,
  202. const String& paramName,
  203. const String& labelText,
  204. NormalisableRange<float> range,
  205. float defaultVal,
  206. std::function<String (float)> valueToTextFunction,
  207. std::function<float (const String&)> textToValueFunction,
  208. bool isMetaParameter,
  209. bool isAutomatableParameter,
  210. bool isDiscreteParameter,
  211. AudioProcessorParameter::Category category,
  212. bool isBooleanParameter)
  213. {
  214. return createAndAddParameter (std::make_unique<Parameter> (paramID,
  215. paramName,
  216. labelText,
  217. range,
  218. defaultVal,
  219. std::move (valueToTextFunction),
  220. std::move (textToValueFunction),
  221. isMetaParameter,
  222. isAutomatableParameter,
  223. isDiscreteParameter,
  224. category,
  225. isBooleanParameter));
  226. }
  227. RangedAudioParameter* AudioProcessorValueTreeState::createAndAddParameter (std::unique_ptr<RangedAudioParameter> param)
  228. {
  229. // All parameters must be created before giving this manager a ValueTree state!
  230. jassert (! state.isValid());
  231. if (getParameter (param->paramID) != nullptr)
  232. return nullptr;
  233. addParameterAdapter (*param);
  234. processor.addParameter (param.get());
  235. return param.release();
  236. }
  237. //==============================================================================
  238. void AudioProcessorValueTreeState::addParameterAdapter (RangedAudioParameter& param)
  239. {
  240. adapterTable.emplace (param.paramID, std::make_unique<ParameterAdapter> (param));
  241. }
  242. AudioProcessorValueTreeState::ParameterAdapter* AudioProcessorValueTreeState::getParameterAdapter (StringRef paramID) const
  243. {
  244. auto it = adapterTable.find (paramID);
  245. return it == adapterTable.end() ? nullptr : it->second.get();
  246. }
  247. void AudioProcessorValueTreeState::addParameterListener (StringRef paramID, Listener* listener)
  248. {
  249. if (auto* p = getParameterAdapter (paramID))
  250. p->addListener (listener);
  251. }
  252. void AudioProcessorValueTreeState::removeParameterListener (StringRef paramID, Listener* listener)
  253. {
  254. if (auto* p = getParameterAdapter (paramID))
  255. p->removeListener (listener);
  256. }
  257. Value AudioProcessorValueTreeState::getParameterAsValue (StringRef paramID) const
  258. {
  259. if (auto* adapter = getParameterAdapter (paramID))
  260. if (adapter->tree.isValid())
  261. return adapter->tree.getPropertyAsValue (valuePropertyID, undoManager);
  262. return {};
  263. }
  264. NormalisableRange<float> AudioProcessorValueTreeState::getParameterRange (StringRef paramID) const noexcept
  265. {
  266. if (auto* p = getParameterAdapter (paramID))
  267. return p->getRange();
  268. return {};
  269. }
  270. RangedAudioParameter* AudioProcessorValueTreeState::getParameter (StringRef paramID) const noexcept
  271. {
  272. if (auto adapter = getParameterAdapter (paramID))
  273. return &adapter->getParameter();
  274. return nullptr;
  275. }
  276. float* AudioProcessorValueTreeState::getRawParameterValue (StringRef paramID) const noexcept
  277. {
  278. if (auto* p = getParameterAdapter (paramID))
  279. return &p->getRawDenormalisedValue();
  280. return nullptr;
  281. }
  282. ValueTree AudioProcessorValueTreeState::copyState()
  283. {
  284. ScopedLock lock (valueTreeChanging);
  285. flushParameterValuesToValueTree();
  286. return state.createCopy();
  287. }
  288. void AudioProcessorValueTreeState::replaceState (const ValueTree& newState)
  289. {
  290. ScopedLock lock (valueTreeChanging);
  291. state = newState;
  292. if (undoManager != nullptr)
  293. undoManager->clearUndoHistory();
  294. }
  295. void AudioProcessorValueTreeState::setNewState (ValueTree vt)
  296. {
  297. jassert (vt.getParent() == state);
  298. if (auto* p = getParameterAdapter (vt.getProperty (idPropertyID).toString()))
  299. {
  300. p->tree = vt;
  301. p->setDenormalisedValue (p->tree.getProperty (valuePropertyID, p->getDenormalisedDefaultValue()));
  302. }
  303. }
  304. void AudioProcessorValueTreeState::updateParameterConnectionsToChildTrees()
  305. {
  306. ScopedLock lock (valueTreeChanging);
  307. for (auto& p : adapterTable)
  308. p.second->tree = ValueTree();
  309. for (const auto& child : state)
  310. setNewState (child);
  311. for (auto& p : adapterTable)
  312. {
  313. auto& adapter = *p.second;
  314. if (! adapter.tree.isValid())
  315. {
  316. adapter.tree = ValueTree (valueType);
  317. adapter.tree.setProperty (idPropertyID, adapter.getParameter().paramID, nullptr);
  318. state.appendChild (adapter.tree, nullptr);
  319. }
  320. }
  321. flushParameterValuesToValueTree();
  322. }
  323. void AudioProcessorValueTreeState::valueTreePropertyChanged (ValueTree& tree, const Identifier&)
  324. {
  325. if (tree.hasType (valueType) && tree.getParent() == state)
  326. setNewState (tree);
  327. }
  328. void AudioProcessorValueTreeState::valueTreeChildAdded (ValueTree& parent, ValueTree& tree)
  329. {
  330. if (parent == state && tree.hasType (valueType))
  331. setNewState (tree);
  332. }
  333. void AudioProcessorValueTreeState::valueTreeChildRemoved (ValueTree& parent, ValueTree& tree, int)
  334. {
  335. if (parent == state && tree.hasType (valueType))
  336. setNewState (tree);
  337. }
  338. void AudioProcessorValueTreeState::valueTreeRedirected (ValueTree& v)
  339. {
  340. if (v == state)
  341. updateParameterConnectionsToChildTrees();
  342. }
  343. void AudioProcessorValueTreeState::valueTreeChildOrderChanged (ValueTree&, int, int) {}
  344. void AudioProcessorValueTreeState::valueTreeParentChanged (ValueTree&) {}
  345. bool AudioProcessorValueTreeState::flushParameterValuesToValueTree()
  346. {
  347. ScopedLock lock (valueTreeChanging);
  348. bool anyUpdated = false;
  349. for (auto& p : adapterTable)
  350. anyUpdated |= p.second->flushToTree (valuePropertyID, undoManager);
  351. return anyUpdated;
  352. }
  353. void AudioProcessorValueTreeState::timerCallback()
  354. {
  355. auto anythingUpdated = flushParameterValuesToValueTree();
  356. startTimer (anythingUpdated ? 1000 / 50
  357. : jlimit (50, 500, getTimerInterval() + 20));
  358. }
  359. //==============================================================================
  360. struct AttachedControlBase : public AudioProcessorValueTreeState::Listener,
  361. public AsyncUpdater
  362. {
  363. AttachedControlBase (AudioProcessorValueTreeState& s, const String& p)
  364. : state (s), paramID (p), lastValue (0)
  365. {
  366. state.addParameterListener (paramID, this);
  367. }
  368. void removeListener()
  369. {
  370. state.removeParameterListener (paramID, this);
  371. }
  372. void setNewDenormalisedValue (float newDenormalisedValue)
  373. {
  374. if (auto* p = state.getParameter (paramID))
  375. {
  376. const float newValue = state.getParameterRange (paramID)
  377. .convertTo0to1 (newDenormalisedValue);
  378. if (p->getValue() != newValue)
  379. p->setValueNotifyingHost (newValue);
  380. }
  381. }
  382. void sendInitialUpdate()
  383. {
  384. if (auto* v = state.getRawParameterValue (paramID))
  385. parameterChanged (paramID, *v);
  386. }
  387. void parameterChanged (const String&, float newValue) override
  388. {
  389. lastValue = newValue;
  390. if (MessageManager::getInstance()->isThisTheMessageThread())
  391. {
  392. cancelPendingUpdate();
  393. setValue (newValue);
  394. }
  395. else
  396. {
  397. triggerAsyncUpdate();
  398. }
  399. }
  400. void beginParameterChange()
  401. {
  402. if (auto* p = state.getParameter (paramID))
  403. {
  404. if (state.undoManager != nullptr)
  405. state.undoManager->beginNewTransaction();
  406. p->beginChangeGesture();
  407. }
  408. }
  409. void endParameterChange()
  410. {
  411. if (AudioProcessorParameter* p = state.getParameter (paramID))
  412. p->endChangeGesture();
  413. }
  414. void handleAsyncUpdate() override
  415. {
  416. setValue (lastValue);
  417. }
  418. virtual void setValue (float) = 0;
  419. AudioProcessorValueTreeState& state;
  420. String paramID;
  421. float lastValue;
  422. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (AttachedControlBase)
  423. };
  424. //==============================================================================
  425. struct AudioProcessorValueTreeState::SliderAttachment::Pimpl : private AttachedControlBase,
  426. private Slider::Listener
  427. {
  428. Pimpl (AudioProcessorValueTreeState& s, const String& p, Slider& sl)
  429. : AttachedControlBase (s, p), slider (sl), ignoreCallbacks (false)
  430. {
  431. NormalisableRange<float> range (state.getParameterRange (paramID));
  432. if (auto* param = state.getParameterAdapter (paramID))
  433. {
  434. slider.valueFromTextFunction = [param](const String& text) { return (double) param->getDenormalisedValueForText (text); };
  435. slider.textFromValueFunction = [param](double value) { return param->getTextForDenormalisedValue ((float) value); };
  436. slider.setDoubleClickReturnValue (true, range.convertFrom0to1 (param->getParameter().getDefaultValue()));
  437. }
  438. if (range.interval != 0.0f || range.skew != 1.0f)
  439. {
  440. slider.setRange (range.start, range.end, range.interval);
  441. slider.setSkewFactor (range.skew, range.symmetricSkew);
  442. }
  443. else
  444. {
  445. auto convertFrom0To1Function = [range](double currentRangeStart,
  446. double currentRangeEnd,
  447. double normalisedValue) mutable
  448. {
  449. range.start = (float) currentRangeStart;
  450. range.end = (float) currentRangeEnd;
  451. return (double) range.convertFrom0to1 ((float) normalisedValue);
  452. };
  453. auto convertTo0To1Function = [range](double currentRangeStart,
  454. double currentRangeEnd,
  455. double mappedValue) mutable
  456. {
  457. range.start = (float) currentRangeStart;
  458. range.end = (float) currentRangeEnd;
  459. return (double) range.convertTo0to1 ((float) mappedValue);
  460. };
  461. auto snapToLegalValueFunction = [range](double currentRangeStart,
  462. double currentRangeEnd,
  463. double valueToSnap) mutable
  464. {
  465. range.start = (float) currentRangeStart;
  466. range.end = (float) currentRangeEnd;
  467. return (double) range.snapToLegalValue ((float) valueToSnap);
  468. };
  469. slider.setNormalisableRange ({ (double) range.start,
  470. (double) range.end,
  471. convertFrom0To1Function,
  472. convertTo0To1Function,
  473. snapToLegalValueFunction });
  474. }
  475. sendInitialUpdate();
  476. slider.addListener (this);
  477. }
  478. ~Pimpl()
  479. {
  480. slider.removeListener (this);
  481. removeListener();
  482. }
  483. void setValue (float newValue) override
  484. {
  485. const ScopedLock selfCallbackLock (selfCallbackMutex);
  486. {
  487. ScopedValueSetter<bool> svs (ignoreCallbacks, true);
  488. slider.setValue (newValue, sendNotificationSync);
  489. }
  490. }
  491. void sliderValueChanged (Slider* s) override
  492. {
  493. const ScopedLock selfCallbackLock (selfCallbackMutex);
  494. if ((! ignoreCallbacks) && (! ModifierKeys::currentModifiers.isRightButtonDown()))
  495. setNewDenormalisedValue ((float) s->getValue());
  496. }
  497. void sliderDragStarted (Slider*) override { beginParameterChange(); }
  498. void sliderDragEnded (Slider*) override { endParameterChange(); }
  499. Slider& slider;
  500. bool ignoreCallbacks;
  501. CriticalSection selfCallbackMutex;
  502. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (Pimpl)
  503. };
  504. AudioProcessorValueTreeState::SliderAttachment::SliderAttachment (AudioProcessorValueTreeState& s, const String& p, Slider& sl)
  505. : pimpl (new Pimpl (s, p, sl))
  506. {
  507. }
  508. AudioProcessorValueTreeState::SliderAttachment::~SliderAttachment() {}
  509. //==============================================================================
  510. struct AudioProcessorValueTreeState::ComboBoxAttachment::Pimpl : private AttachedControlBase,
  511. private ComboBox::Listener
  512. {
  513. Pimpl (AudioProcessorValueTreeState& s, const String& p, ComboBox& c)
  514. : AttachedControlBase (s, p), combo (c), ignoreCallbacks (false)
  515. {
  516. sendInitialUpdate();
  517. combo.addListener (this);
  518. }
  519. ~Pimpl()
  520. {
  521. combo.removeListener (this);
  522. removeListener();
  523. }
  524. void setValue (float newValue) override
  525. {
  526. const ScopedLock selfCallbackLock (selfCallbackMutex);
  527. if (state.getParameter (paramID) != nullptr)
  528. {
  529. auto normValue = state.getParameterRange (paramID)
  530. .convertTo0to1 (newValue);
  531. auto index = roundToInt (normValue * (combo.getNumItems() - 1));
  532. if (index != combo.getSelectedItemIndex())
  533. {
  534. ScopedValueSetter<bool> svs (ignoreCallbacks, true);
  535. combo.setSelectedItemIndex (index, sendNotificationSync);
  536. }
  537. }
  538. }
  539. void comboBoxChanged (ComboBox*) override
  540. {
  541. const ScopedLock selfCallbackLock (selfCallbackMutex);
  542. if (! ignoreCallbacks)
  543. {
  544. if (auto* p = state.getParameter (paramID))
  545. {
  546. auto newValue = (float) combo.getSelectedItemIndex() / (combo.getNumItems() - 1);
  547. if (p->getValue() != newValue)
  548. {
  549. beginParameterChange();
  550. p->setValueNotifyingHost (newValue);
  551. endParameterChange();
  552. }
  553. }
  554. }
  555. }
  556. ComboBox& combo;
  557. bool ignoreCallbacks;
  558. CriticalSection selfCallbackMutex;
  559. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (Pimpl)
  560. };
  561. AudioProcessorValueTreeState::ComboBoxAttachment::ComboBoxAttachment (AudioProcessorValueTreeState& s, const String& p, ComboBox& c)
  562. : pimpl (new Pimpl (s, p, c))
  563. {
  564. }
  565. AudioProcessorValueTreeState::ComboBoxAttachment::~ComboBoxAttachment() {}
  566. //==============================================================================
  567. struct AudioProcessorValueTreeState::ButtonAttachment::Pimpl : private AttachedControlBase,
  568. private Button::Listener
  569. {
  570. Pimpl (AudioProcessorValueTreeState& s, const String& p, Button& b)
  571. : AttachedControlBase (s, p), button (b), ignoreCallbacks (false)
  572. {
  573. sendInitialUpdate();
  574. button.addListener (this);
  575. }
  576. ~Pimpl()
  577. {
  578. button.removeListener (this);
  579. removeListener();
  580. }
  581. void setValue (float newValue) override
  582. {
  583. const ScopedLock selfCallbackLock (selfCallbackMutex);
  584. {
  585. ScopedValueSetter<bool> svs (ignoreCallbacks, true);
  586. button.setToggleState (newValue >= 0.5f, sendNotificationSync);
  587. }
  588. }
  589. void buttonClicked (Button* b) override
  590. {
  591. const ScopedLock selfCallbackLock (selfCallbackMutex);
  592. if (! ignoreCallbacks)
  593. {
  594. beginParameterChange();
  595. setNewDenormalisedValue (b->getToggleState() ? 1.0f : 0.0f);
  596. endParameterChange();
  597. }
  598. }
  599. Button& button;
  600. bool ignoreCallbacks;
  601. CriticalSection selfCallbackMutex;
  602. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (Pimpl)
  603. };
  604. AudioProcessorValueTreeState::ButtonAttachment::ButtonAttachment (AudioProcessorValueTreeState& s, const String& p, Button& b)
  605. : pimpl (new Pimpl (s, p, b))
  606. {
  607. }
  608. AudioProcessorValueTreeState::ButtonAttachment::~ButtonAttachment() {}
  609. #if JUCE_UNIT_TESTS
  610. static struct ParameterAdapterTests final : public UnitTest
  611. {
  612. ParameterAdapterTests() : UnitTest ("Parameter Adapter") {}
  613. void runTest() override
  614. {
  615. beginTest ("The default value is returned correctly");
  616. {
  617. const auto test = [&] (NormalisableRange<float> range, float value)
  618. {
  619. AudioParameterFloat param ({}, {}, range, value, {});
  620. AudioProcessorValueTreeState::ParameterAdapter adapter (param);
  621. expectEquals (adapter.getDenormalisedDefaultValue(), value);
  622. };
  623. test ({ -100, 100 }, 0);
  624. test ({ -2.5, 12.5 }, 10);
  625. }
  626. beginTest ("Denormalised parameter values can be retrieved");
  627. {
  628. const auto test = [&](NormalisableRange<float> range, float value)
  629. {
  630. AudioParameterFloat param ({}, {}, range, {}, {});
  631. AudioProcessorValueTreeState::ParameterAdapter adapter (param);
  632. adapter.setDenormalisedValue (value);
  633. expectEquals (adapter.getDenormalisedValue(), value);
  634. expectEquals (adapter.getRawDenormalisedValue(), value);
  635. };
  636. test ({ -20, -10 }, -15);
  637. test ({ 0, 7.5 }, 2.5);
  638. }
  639. beginTest ("Floats can be converted to text");
  640. {
  641. const auto test = [&](NormalisableRange<float> range, float value, String expected)
  642. {
  643. AudioParameterFloat param ({}, {}, range, {}, {});
  644. AudioProcessorValueTreeState::ParameterAdapter adapter (param);
  645. expectEquals (adapter.getTextForDenormalisedValue (value), expected);
  646. };
  647. test ({ -100, 100 }, 0, "0.0000000");
  648. test ({ -2.5, 12.5 }, 10, "10.0000000");
  649. test ({ -20, -10 }, -15, "-15.0000000");
  650. test ({ 0, 7.5 }, 2.5, "2.5000000");
  651. }
  652. beginTest ("Text can be converted to floats");
  653. {
  654. const auto test = [&](NormalisableRange<float> range, String text, float expected)
  655. {
  656. AudioParameterFloat param ({}, {}, range, {}, {});
  657. AudioProcessorValueTreeState::ParameterAdapter adapter (param);
  658. expectEquals (adapter.getDenormalisedValueForText (text), expected);
  659. };
  660. test ({ -100, 100 }, "0.0", 0);
  661. test ({ -2.5, 12.5 }, "10.0", 10);
  662. test ({ -20, -10 }, "-15.0", -15);
  663. test ({ 0, 7.5 }, "2.5", 2.5);
  664. }
  665. }
  666. } parameterAdapterTests;
  667. namespace
  668. {
  669. template <typename ValueType>
  670. inline bool operator== (const NormalisableRange<ValueType>& a,
  671. const NormalisableRange<ValueType>& b)
  672. {
  673. return std::tie (a.start, a.end, a.interval, a.skew, a.symmetricSkew)
  674. == std::tie (b.start, b.end, b.interval, b.skew, b.symmetricSkew);
  675. }
  676. template <typename ValueType>
  677. inline bool operator!= (const NormalisableRange<ValueType>& a,
  678. const NormalisableRange<ValueType>& b)
  679. {
  680. return ! (a == b);
  681. }
  682. } // namespace
  683. static class AudioProcessorValueTreeStateTests final : public UnitTest
  684. {
  685. private:
  686. using Parameter = AudioProcessorValueTreeState::Parameter;
  687. using ParameterGroup = AudioProcessorParameterGroup;
  688. using ParameterLayout = AudioProcessorValueTreeState::ParameterLayout;
  689. class TestAudioProcessor : public AudioProcessor
  690. {
  691. public:
  692. TestAudioProcessor() = default;
  693. explicit TestAudioProcessor (ParameterLayout layout)
  694. : state (*this, nullptr, "state", std::move (layout)) {}
  695. const String getName() const override { return {}; }
  696. void prepareToPlay (double, int) override {}
  697. void releaseResources() override {}
  698. void processBlock (AudioBuffer<float>&, MidiBuffer&) override {}
  699. double getTailLengthSeconds() const override { return {}; }
  700. bool acceptsMidi() const override { return {}; }
  701. bool producesMidi() const override { return {}; }
  702. AudioProcessorEditor* createEditor() override { return {}; }
  703. bool hasEditor() const override { return {}; }
  704. int getNumPrograms() override { return 1; }
  705. int getCurrentProgram() override { return {}; }
  706. void setCurrentProgram (int) override {}
  707. const String getProgramName (int) override { return {}; }
  708. void changeProgramName (int, const String&) override {}
  709. void getStateInformation (MemoryBlock&) override {}
  710. void setStateInformation (const void*, int) override {}
  711. AudioProcessorValueTreeState state { *this, nullptr };
  712. };
  713. struct Listener final : public AudioProcessorValueTreeState::Listener
  714. {
  715. void parameterChanged (const String& idIn, float valueIn) override
  716. {
  717. id = idIn;
  718. value = valueIn;
  719. }
  720. String id;
  721. float value{};
  722. };
  723. public:
  724. AudioProcessorValueTreeStateTests() : UnitTest ("Audio Processor Value Tree State", "AudioProcessor parameters") {}
  725. void runTest() override
  726. {
  727. ScopedJuceInitialiser_GUI scopedJuceInitialiser_gui;
  728. beginTest ("After calling createAndAddParameter, the number of parameters increases by one");
  729. {
  730. TestAudioProcessor proc;
  731. proc.state.createAndAddParameter (std::make_unique<Parameter> (String(), String(), String(), NormalisableRange<float>(),
  732. 0.0f, nullptr, nullptr));
  733. expectEquals (proc.getParameters().size(), 1);
  734. }
  735. beginTest ("After creating a normal named parameter, we can later retrieve that parameter");
  736. {
  737. TestAudioProcessor proc;
  738. const auto key = "id";
  739. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  740. 0.0f, nullptr, nullptr));
  741. expect (proc.state.getParameter (key) == param);
  742. }
  743. beginTest ("After construction, the value tree has the expected format");
  744. {
  745. TestAudioProcessor proc ({
  746. std::make_unique<AudioProcessorParameterGroup> ("", "", "",
  747. std::make_unique<AudioParameterBool> ("a", "", false),
  748. std::make_unique<AudioParameterFloat> ("b", "", NormalisableRange<float>{}, 0.0f)),
  749. std::make_unique<AudioProcessorParameterGroup> ("", "", "",
  750. std::make_unique<AudioParameterInt> ("c", "", 0, 1, 0),
  751. std::make_unique<AudioParameterChoice> ("d", "", StringArray { "foo", "bar" }, 0)) });
  752. const auto valueTree = proc.state.copyState();
  753. expectEquals (valueTree.getNumChildren(), 4);
  754. for (auto child : valueTree)
  755. {
  756. expect (child.hasType ("PARAM"));
  757. expect (child.hasProperty ("id"));
  758. expect (child.hasProperty ("value"));
  759. }
  760. }
  761. beginTest ("Meta parameters can be created");
  762. {
  763. TestAudioProcessor proc;
  764. const auto key = "id";
  765. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  766. 0.0f, nullptr, nullptr, true));
  767. expect (param->isMetaParameter());
  768. }
  769. beginTest ("Automatable parameters can be created");
  770. {
  771. TestAudioProcessor proc;
  772. const auto key = "id";
  773. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  774. 0.0f, nullptr, nullptr, false, true));
  775. expect (param->isAutomatable());
  776. }
  777. beginTest ("Discrete parameters can be created");
  778. {
  779. TestAudioProcessor proc;
  780. const auto key = "id";
  781. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  782. 0.0f, nullptr, nullptr, false, false, true));
  783. expect (param->isDiscrete());
  784. }
  785. beginTest ("Custom category parameters can be created");
  786. {
  787. TestAudioProcessor proc;
  788. const auto key = "id";
  789. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  790. 0.0f, nullptr, nullptr, false, false, false,
  791. AudioProcessorParameter::Category::inputMeter));
  792. expect (param->category == AudioProcessorParameter::Category::inputMeter);
  793. }
  794. beginTest ("Boolean parameters can be created");
  795. {
  796. TestAudioProcessor proc;
  797. const auto key = "id";
  798. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  799. 0.0f, nullptr, nullptr, false, false, false,
  800. AudioProcessorParameter::Category::genericParameter, true));
  801. expect (param->isBoolean());
  802. }
  803. beginTest ("After creating a custom named parameter, we can later retrieve that parameter");
  804. {
  805. const auto key = "id";
  806. auto param = std::make_unique<AudioParameterBool> (key, "", false);
  807. const auto paramPtr = param.get();
  808. TestAudioProcessor proc (std::move (param));
  809. expect (proc.state.getParameter (key) == paramPtr);
  810. }
  811. beginTest ("After adding a normal parameter that already exists, the AudioProcessor parameters are unchanged");
  812. {
  813. TestAudioProcessor proc;
  814. const auto key = "id";
  815. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  816. 0.0f, nullptr, nullptr));
  817. proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  818. 0.0f, nullptr, nullptr));
  819. expectEquals (proc.getParameters().size(), 1);
  820. expect (proc.getParameters().getFirst() == param);
  821. }
  822. beginTest ("After setting a parameter value, that value is reflected in the state");
  823. {
  824. TestAudioProcessor proc;
  825. const auto key = "id";
  826. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  827. 0.0f, nullptr, nullptr));
  828. const auto value = 0.5f;
  829. param->setValueNotifyingHost (value);
  830. expectEquals (*proc.state.getRawParameterValue (key), value);
  831. }
  832. beginTest ("After adding an APVTS::Parameter, its value is the default value");
  833. {
  834. TestAudioProcessor proc;
  835. const auto key = "id";
  836. const auto value = 5.0f;
  837. proc.state.createAndAddParameter (std::make_unique<Parameter> (
  838. key,
  839. String(),
  840. String(),
  841. NormalisableRange<float> (0.0f, 100.0f, 10.0f),
  842. value,
  843. nullptr,
  844. nullptr));
  845. expectEquals (*proc.state.getRawParameterValue (key), value);
  846. }
  847. beginTest ("Listeners receive notifications when parameters change");
  848. {
  849. Listener listener;
  850. TestAudioProcessor proc;
  851. const auto key = "id";
  852. const auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  853. 0.0f, nullptr, nullptr));
  854. proc.state.addParameterListener (key, &listener);
  855. const auto value = 0.5f;
  856. param->setValueNotifyingHost (value);
  857. expectEquals (listener.id, String { key });
  858. expectEquals (listener.value, value);
  859. }
  860. beginTest ("Bool parameters have a range of 0-1");
  861. {
  862. const auto key = "id";
  863. TestAudioProcessor proc (std::make_unique<AudioParameterBool> (key, "", false));
  864. expect (proc.state.getParameterRange (key) == NormalisableRange<float> (0.0f, 1.0f, 1.0f));
  865. }
  866. beginTest ("Float parameters retain their specified range");
  867. {
  868. const auto key = "id";
  869. const auto range = NormalisableRange<float> { -100, 100, 0.7f, 0.2f, true };
  870. TestAudioProcessor proc (std::make_unique<AudioParameterFloat> (key, "", range, 0.0f));
  871. expect (proc.state.getParameterRange (key) == range);
  872. }
  873. beginTest ("Int parameters retain their specified range");
  874. {
  875. const auto key = "id";
  876. const auto min = -27;
  877. const auto max = 53;
  878. TestAudioProcessor proc (std::make_unique<AudioParameterInt> (key, "", min, max, 0));
  879. expect (proc.state.getParameterRange (key) == NormalisableRange<float> (float (min), float (max)));
  880. }
  881. beginTest ("Choice parameters retain their specified range");
  882. {
  883. const auto key = "id";
  884. const auto choices = StringArray { "", "", "" };
  885. TestAudioProcessor proc (std::make_unique<AudioParameterChoice> (key, "", choices, 0));
  886. expect (proc.state.getParameterRange (key) == NormalisableRange<float> (0.0f, (float) (choices.size() - 1)));
  887. expect (proc.state.getParameter (key)->getNumSteps() == choices.size());
  888. }
  889. beginTest ("When the parameter value is changed, normal parameter values are updated");
  890. {
  891. TestAudioProcessor proc;
  892. const auto key = "id";
  893. const auto initialValue = 0.2f;
  894. auto param = proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  895. initialValue, nullptr, nullptr));
  896. proc.state.state = ValueTree { "state" };
  897. auto value = proc.state.getParameterAsValue (key);
  898. expectEquals (float (value.getValue()), initialValue);
  899. const auto newValue = 0.75f;
  900. value = newValue;
  901. expectEquals (param->getValue(), newValue);
  902. expectEquals (*proc.state.getRawParameterValue (key), newValue);
  903. }
  904. beginTest ("When the parameter value is changed, custom parameter values are updated");
  905. {
  906. const auto key = "id";
  907. const auto choices = StringArray ("foo", "bar", "baz");
  908. auto param = std::make_unique<AudioParameterChoice> (key, "", choices, 0);
  909. const auto paramPtr = param.get();
  910. TestAudioProcessor proc (std::move (param));
  911. const auto newValue = 2.0f;
  912. auto value = proc.state.getParameterAsValue (key);
  913. value = newValue;
  914. expectEquals (paramPtr->getCurrentChoiceName(), choices[int (newValue)]);
  915. expectEquals (*proc.state.getRawParameterValue (key), newValue);
  916. }
  917. beginTest ("When the parameter value is changed, listeners are notified");
  918. {
  919. Listener listener;
  920. TestAudioProcessor proc;
  921. const auto key = "id";
  922. proc.state.createAndAddParameter (std::make_unique<Parameter> (key, String(), String(), NormalisableRange<float>(),
  923. 0.0f, nullptr, nullptr));
  924. proc.state.addParameterListener (key, &listener);
  925. proc.state.state = ValueTree { "state" };
  926. const auto newValue = 0.75f;
  927. proc.state.getParameterAsValue (key) = newValue;
  928. expectEquals (listener.value, newValue);
  929. expectEquals (listener.id, String { key });
  930. }
  931. beginTest ("When the parameter value is changed, listeners are notified");
  932. {
  933. const auto key = "id";
  934. const auto choices = StringArray { "foo", "bar", "baz" };
  935. Listener listener;
  936. TestAudioProcessor proc (std::make_unique<AudioParameterChoice> (key, "", choices, 0));
  937. proc.state.addParameterListener (key, &listener);
  938. const auto newValue = 2.0f;
  939. proc.state.getParameterAsValue (key) = newValue;
  940. expectEquals (listener.value, newValue);
  941. expectEquals (listener.id, String (key));
  942. }
  943. }
  944. } audioProcessorValueTreeStateTests;
  945. #endif
  946. } // namespace juce