forked from StudioInfinity/dyna3
Unifies the interface elements for measuring and constraining real-valued observables, as proposed in issue #47. The resulting combination is called a "Regulator," at least in the code. They are presented as text inputs in the table view. When a Regulatore is in measurement mode (has no "set point"), the text field displays its value. Entering a desired value into the text field creates a set point, and then the Regulator acts to (attempt to) constrain the value. Setting the desired value to the empty string switches the observable back to measurement mode. If you enter a desired value that can't be parsed as a floating point number, the regulator input is flagged as invalid and it has no effect on the state of the regulator. The set point can in this case be restored to its previous value (or to no set point if that was its prior state) by pressing the "Esc" key. Co-authored-by: Aaron Fenyes <aaron.fenyes@fareycircles.ooo> Co-authored-by: glen <glen@studioinfinity.org> Reviewed-on: glen/dyna3#48 Co-authored-by: Vectornaut <vectornaut@nobody@nowhere.net> Co-committed-by: Vectornaut <vectornaut@nobody@nowhere.net>
44 lines
No EOL
2.2 KiB
Rust
44 lines
No EOL
2.2 KiB
Rust
use std::num::ParseFloatError;
|
|
|
|
// a real number described by a specification string. since the structure is
|
|
// read-only, we can guarantee that `spec` always specifies `value` in the
|
|
// following format
|
|
// ┌──────────────────────────────────────────────────────┬───────────┐
|
|
// │ `spec` │ `value` │
|
|
// ┝━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┿━━━━━━━━━━━┥
|
|
// │ a string that parses to the floating-point value `x` │ `Some(x)` │
|
|
// ├──────────────────────────────────────────────────────┼───────────┤
|
|
// │ the empty string │ `None` │
|
|
// └──────────────────────────────────────────────────────┴───────────┘
|
|
#[readonly::make]
|
|
pub struct SpecifiedValue {
|
|
pub spec: String,
|
|
pub value: Option<f64>
|
|
}
|
|
|
|
impl SpecifiedValue {
|
|
pub fn from_empty_spec() -> SpecifiedValue {
|
|
SpecifiedValue { spec: String::new(), value: None }
|
|
}
|
|
|
|
pub fn is_present(&self) -> bool {
|
|
matches!(self.value, Some(_))
|
|
}
|
|
}
|
|
|
|
// a `SpecifiedValue` can be constructed from a specification string, formatted
|
|
// as described in the comment on the structure definition. the result is `Ok`
|
|
// if the specification is properly formatted, and `Error` if not
|
|
impl TryFrom<String> for SpecifiedValue {
|
|
type Error = ParseFloatError;
|
|
|
|
fn try_from(spec: String) -> Result<Self, Self::Error> {
|
|
if spec.is_empty() {
|
|
Ok(SpecifiedValue::from_empty_spec())
|
|
} else {
|
|
spec.parse::<f64>().map(
|
|
|value| SpecifiedValue { spec: spec, value: Some(value) }
|
|
)
|
|
}
|
|
}
|
|
} |