nushell/crates/nu-command/src/commands/random/bool.rs
Jonathan Turner 5f550a355b
Split OutputStream into ActionStream/OutputStream (#3304)
* Split OutputStream into ActionStream/OutputStream

* Fmt

* Missed update

* Cleanup helper names

* Fmt
2021-04-12 14:35:01 +12:00

91 lines
2.3 KiB
Rust

use crate::prelude::*;
use nu_engine::WholeStreamCommand;
use nu_errors::ShellError;
use nu_protocol::{ReturnSuccess, Signature, SyntaxShape, UntaggedValue};
use nu_source::Tagged;
use rand::prelude::{thread_rng, Rng};
pub struct SubCommand;
#[derive(Deserialize)]
pub struct BoolArgs {
bias: Option<Tagged<f64>>,
}
impl WholeStreamCommand for SubCommand {
fn name(&self) -> &str {
"random bool"
}
fn signature(&self) -> Signature {
Signature::build("random bool").named(
"bias",
SyntaxShape::Number,
"Adjusts the probability of a \"true\" outcome",
Some('b'),
)
}
fn usage(&self) -> &str {
"Generate a random boolean value"
}
fn run_with_actions(&self, args: CommandArgs) -> Result<ActionStream, ShellError> {
bool_command(args)
}
fn examples(&self) -> Vec<Example> {
vec![
Example {
description: "Generate a random boolean value",
example: "random bool",
result: None,
},
Example {
description: "Generate a random boolean value with a 75% chance of \"true\"",
example: "random bool --bias 0.75",
result: None,
},
]
}
}
pub fn bool_command(args: CommandArgs) -> Result<ActionStream, ShellError> {
let (BoolArgs { bias }, _) = args.process()?;
let mut probability = 0.5;
if let Some(prob) = bias {
probability = *prob as f64;
let probability_is_valid = (0.0..=1.0).contains(&probability);
if !probability_is_valid {
return Err(ShellError::labeled_error(
"The probability is invalid",
"invalid probability",
prob.span(),
));
}
}
let mut rng = thread_rng();
let bool_result: bool = rng.gen_bool(probability);
let bool_untagged_value = UntaggedValue::boolean(bool_result);
Ok(ActionStream::one(ReturnSuccess::value(bool_untagged_value)))
}
#[cfg(test)]
mod tests {
use super::ShellError;
use super::SubCommand;
#[test]
fn examples_work_as_expected() -> Result<(), ShellError> {
use crate::examples::test as test_examples;
test_examples(SubCommand {})
}
}