1
0
Fork 0
nih-plug/src/param.rs

353 lines
13 KiB
Rust
Raw Normal View History

//! TODO: Document how to use the [Param] trait. For the moment, just look at the gain example.
use std::fmt::Display;
use std::sync::Arc;
2022-02-03 01:12:33 +11:00
use self::range::{NormalizebleRange, Range};
2022-02-03 07:08:23 +11:00
use self::smoothing::Smoother;
pub mod internals;
pub mod range;
2022-02-03 07:08:23 +11:00
pub mod smoothing;
pub type FloatParam = PlainParam<f32>;
pub type IntParam = PlainParam<i32>;
// TODO: Instead of having just structs with public fields and a Default instance, consider also
// adding `new` functions that take just the essentials (name, default value, range) and then
// have builders for the other fields. That might make the params object a bit less verbose.
/// Describes a single parameter of any type.
pub trait Param: Display {
2022-02-02 07:02:58 +11:00
/// The plain parameter type.
type Plain;
/// Update the smoother state to point to the current value. Also used when initializing and
/// restoring a plugin so everything is in sync. In that case the smoother should completely
/// reset to the current value.
fn update_smoother(&mut self, sample_rate: f32, reset: bool);
2022-02-02 07:02:58 +11:00
/// Set this parameter based on a string. Returns whether the updating succeeded. That can fail
/// if the string cannot be parsed.
///
/// TODO: After implementing VST3, check if we handle parsing failures correctly
fn set_from_string(&mut self, string: &str) -> bool;
/// Get the unnormalized value for this parameter.
fn plain_value(&self) -> Self::Plain;
/// Set this parameter based on a plain, unnormalized value.
///
/// This does **not** update the smoother.
///
/// TDOO: Decide on whether this should update the smoother or not. That wouldn't be compatible
/// with sample accurate automation when we add that.
2022-02-02 07:02:58 +11:00
fn set_plain_value(&mut self, plain: Self::Plain);
/// Get the normalized `[0, 1]` value for this parameter.
fn normalized_value(&self) -> f32;
/// Set this parameter based on a normalized value.
///
/// This does **not** update the smoother.
2022-02-02 07:02:58 +11:00
fn set_normalized_value(&mut self, normalized: f32);
/// Get the string representation for a normalized value. Used as part of the wrappers. Most
/// plugin formats already have support for units, in which case it shouldn't be part of this
/// string or some DAWs may show duplicate units.
fn normalized_value_to_string(&self, normalized: f32, include_unit: bool) -> String;
/// Get the string representation for a normalized value. Used as part of the wrappers.
fn string_to_normalized_value(&self, string: &str) -> Option<f32>;
/// Get the normalized value for a plain, unnormalized value, as a float. Used as part of the
/// wrappers.
fn preview_normalized(&self, plain: Self::Plain) -> f32;
/// Get the plain, unnormalized value for a normalized value, as a float. Used as part of the
/// wrappers.
fn preview_plain(&self, normalized: f32) -> Self::Plain;
2022-02-05 22:52:29 +11:00
/// Internal implementation detail for implementing [internals::Params]. This should not be used
/// directly.
2022-02-02 07:02:58 +11:00
fn as_ptr(&self) -> internals::ParamPtr;
}
/// A numerical parameter that's stored unnormalized. The range is used for the normalization
/// process.
//
// XXX: To keep the API simple and to allow the optimizer to do its thing, the values are stored as
// plain primitive values that are modified through the `*mut` pointers from the plugin's
// `Params` object. Technically modifying these while the GUI is open is unsound. We could
// remedy this by changing `value` to be an atomic type and adding a function also called
// `value()` to load that value, but in practice that should not be necessary if we don't do
// anything crazy other than modifying this value. On both AArch64 and x86(_64) reads and
// writes to naturally aligned values up to word size are atomic, so there's no risk of reading
// a partially written to value here. We should probably reconsider this at some point though.
#[repr(C, align(4))]
pub struct PlainParam<T> {
2022-02-01 07:02:47 +11:00
/// The field's current plain, unnormalized value. Should be initialized with the default value.
/// Storing parameter values like this instead of in a single contiguous array is bad for cache
/// locality, but it does allow for a much nicer declarative API.
pub value: T,
2022-02-03 07:08:23 +11:00
pub smoothed: Smoother<T>,
2022-02-01 07:02:47 +11:00
/// Optional callback for listening to value changes. The argument passed to this function is
/// the parameter's new **plain** value. This should not do anything expensive as it may be
/// called multiple times in rapid succession.
///
/// To use this, you'll probably want to store an `Arc<Atomic*>` alongside the parmater in the
/// parmaeters struct, move a clone of that `Arc` into this closure, and then modify that.
2022-02-02 22:39:38 +11:00
pub value_changed: Option<Arc<dyn Fn(T) + Send + Sync>>,
2022-02-01 07:02:47 +11:00
/// The distribution of the parameter's values.
pub range: Range<T>,
/// The parameter's human readable display name.
pub name: &'static str,
/// The parameter value's unit, added after `value_to_string` if that is set.
pub unit: &'static str,
/// Optional custom conversion function from a plain **unnormalized** value to a string.
pub value_to_string: Option<Arc<dyn Fn(T) -> String + Send + Sync>>,
/// Optional custom conversion function from a string to a plain **unnormalized** value. If the
/// string cannot be parsed, then this should return a `None`. If this happens while the
/// parameter is being updated then the update will be canceled.
pub string_to_value: Option<Arc<dyn Fn(&str) -> Option<T> + Send + Sync>>,
}
2022-01-30 12:17:40 +11:00
/// A simple boolean parmaeter.
#[repr(C, align(4))]
2022-01-30 12:17:40 +11:00
pub struct BoolParam {
/// The field's current, normalized value. Should be initialized with the default value.
pub value: bool,
2022-02-01 07:02:47 +11:00
/// Optional callback for listening to value changes. The argument passed to this function is
/// the parameter's new value. This should not do anything expensive as it may be called
/// multiple times in rapid succession.
2022-02-02 22:39:38 +11:00
pub value_changed: Option<Arc<dyn Fn(bool) + Send + Sync>>,
2022-02-01 07:02:47 +11:00
2022-01-30 12:17:40 +11:00
/// The parameter's human readable display name.
pub name: &'static str,
/// Optional custom conversion function from a boolean value to a string.
pub value_to_string: Option<Arc<dyn Fn(bool) -> String + Send + Sync>>,
2022-01-30 12:17:40 +11:00
/// Optional custom conversion function from a string to a boolean value. If the string cannot
/// be parsed, then this should return a `None`. If this happens while the parameter is being
/// updated then the update will be canceled.
pub string_to_value: Option<Arc<dyn Fn(&str) -> Option<bool> + Send + Sync>>,
2022-01-30 12:17:40 +11:00
}
impl<T> Default for PlainParam<T>
where
T: Default,
Range<T>: Default,
{
fn default() -> Self {
Self {
value: T::default(),
2022-02-03 07:08:23 +11:00
smoothed: Smoother::none(),
value_changed: None,
range: Range::default(),
name: "",
unit: "",
value_to_string: None,
string_to_value: None,
}
}
}
2022-02-02 22:39:38 +11:00
#[allow(clippy::derivable_impls)]
impl Default for BoolParam {
fn default() -> Self {
Self {
value: false,
value_changed: None,
name: "",
value_to_string: None,
string_to_value: None,
}
}
}
macro_rules! impl_plainparam {
($ty:ident, $plain:ty) => {
impl Param for $ty {
type Plain = $plain;
fn update_smoother(&mut self, sample_rate: f32, reset: bool) {
if reset {
self.smoothed.reset(self.value);
} else {
self.smoothed.set_target(sample_rate, self.value);
}
}
fn set_from_string(&mut self, string: &str) -> bool {
let value = match &self.string_to_value {
Some(f) => f(string),
// TODO: Check how Rust's parse function handles trailing garbage
None => string.parse().ok(),
};
match value {
Some(plain) => {
self.value = plain;
true
}
None => false,
}
}
fn plain_value(&self) -> Self::Plain {
self.value
}
fn set_plain_value(&mut self, plain: Self::Plain) {
self.value = plain;
2022-02-01 07:02:47 +11:00
if let Some(f) = &self.value_changed {
f(plain);
}
}
fn normalized_value(&self) -> f32 {
self.range.normalize(self.value)
}
fn set_normalized_value(&mut self, normalized: f32) {
2022-02-01 07:02:47 +11:00
self.set_plain_value(self.range.unnormalize(normalized));
}
fn normalized_value_to_string(&self, normalized: f32, include_unit: bool) -> String {
let value = self.range.unnormalize(normalized);
match (&self.value_to_string, include_unit) {
(Some(f), true) => format!("{}{}", f(value), self.unit),
(Some(f), false) => format!("{}", f(value)),
(None, true) => format!("{}{}", value, self.unit),
(None, false) => format!("{}", value),
}
}
fn string_to_normalized_value(&self, string: &str) -> Option<f32> {
let value = match &self.string_to_value {
Some(f) => f(string),
// TODO: Check how Rust's parse function handles trailing garbage
None => string.parse().ok(),
}?;
Some(self.range.normalize(value))
}
fn preview_normalized(&self, plain: Self::Plain) -> f32 {
self.range.normalize(plain)
}
fn preview_plain(&self, normalized: f32) -> Self::Plain {
self.range.unnormalize(normalized)
}
fn as_ptr(&self) -> internals::ParamPtr {
internals::ParamPtr::$ty(self as *const $ty as *mut $ty)
}
}
};
}
impl_plainparam!(FloatParam, f32);
impl_plainparam!(IntParam, i32);
2022-01-30 12:17:40 +11:00
impl Param for BoolParam {
type Plain = bool;
fn update_smoother(&mut self, _sample_rate: f32, _init: bool) {
// Can't really smooth a binary parameter now can you
}
2022-01-30 12:17:40 +11:00
fn set_from_string(&mut self, string: &str) -> bool {
let value = match &self.string_to_value {
Some(f) => f(string),
None => Some(string.eq_ignore_ascii_case("true") || string.eq_ignore_ascii_case("on")),
2022-01-30 12:17:40 +11:00
};
match value {
Some(plain) => {
self.value = plain;
true
}
None => false,
}
}
fn plain_value(&self) -> Self::Plain {
self.value
}
fn set_plain_value(&mut self, plain: Self::Plain) {
self.value = plain;
2022-02-01 07:02:47 +11:00
if let Some(f) = &self.value_changed {
f(plain);
}
2022-01-30 12:17:40 +11:00
}
fn normalized_value(&self) -> f32 {
if self.value {
1.0
} else {
0.0
}
}
fn set_normalized_value(&mut self, normalized: f32) {
2022-02-01 07:02:47 +11:00
self.set_plain_value(normalized > 0.5);
2022-01-30 12:17:40 +11:00
}
fn normalized_value_to_string(&self, normalized: f32, _include_unit: bool) -> String {
let value = normalized > 0.5;
match (value, &self.value_to_string) {
2022-02-02 22:39:38 +11:00
(v, Some(f)) => f(v),
(true, None) => String::from("On"),
(false, None) => String::from("Off"),
2022-01-30 12:17:40 +11:00
}
}
fn string_to_normalized_value(&self, string: &str) -> Option<f32> {
let value = match &self.string_to_value {
Some(f) => f(string),
None => Some(string.eq_ignore_ascii_case("true") || string.eq_ignore_ascii_case("on")),
2022-01-30 12:17:40 +11:00
}?;
Some(if value { 1.0 } else { 0.0 })
}
fn preview_normalized(&self, plain: Self::Plain) -> f32 {
if plain {
1.0
} else {
0.0
}
}
fn preview_plain(&self, normalized: f32) -> Self::Plain {
normalized > 0.5
}
fn as_ptr(&self) -> internals::ParamPtr {
internals::ParamPtr::BoolParam(self as *const BoolParam as *mut BoolParam)
2022-01-30 12:17:40 +11:00
}
}
impl<T: Display + Copy> Display for PlainParam<T> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match &self.value_to_string {
Some(func) => write!(f, "{}{}", func(self.value), self.unit),
None => write!(f, "{}{}", self.value, self.unit),
}
}
}
impl Display for BoolParam {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match (self.value, &self.value_to_string) {
(v, Some(func)) => write!(f, "{}", func(v)),
(true, None) => write!(f, "On"),
(false, None) => write!(f, "Off"),
}
}
}