artichoke_backend/
coerce_to_numeric.rs

1use artichoke_core::coerce_to_numeric::CoerceToNumeric;
2use artichoke_core::convert::TryConvert;
3use artichoke_core::debug::Debug;
4use artichoke_core::eval::Eval;
5use artichoke_core::value::Value as _;
6use spinoso_exception::TypeError;
7
8use crate::types::Ruby;
9use crate::value::Value;
10use crate::{Artichoke, Error};
11
12impl CoerceToNumeric for Artichoke {
13    type Value = Value;
14
15    type Float = f64;
16
17    type Error = Error;
18
19    #[expect(clippy::cast_precision_loss, reason = "MRI coercions are lossy by design")]
20    fn coerce_to_float(&mut self, value: Self::Value) -> Result<Self::Float, Self::Error> {
21        match value.ruby_type() {
22            Ruby::Float => return value.try_convert_into(self),
23            Ruby::Fixnum => return value.try_convert_into::<i64>(self).map(|int| int as f64),
24            Ruby::Nil => return Err(TypeError::with_message("can't convert nil into Float").into()),
25            _ => {}
26        }
27
28        // TODO: This branch should use `numeric::coerce`
29        let class_of_numeric = self.eval(b"Numeric")?;
30        let is_a_numeric = value.funcall(self, "is_a?", &[class_of_numeric], None)?;
31        let is_a_numeric = self.try_convert(is_a_numeric);
32
33        let Ok(true) = is_a_numeric else {
34            let mut message = String::from("can't convert ");
35            message.push_str(self.inspect_type_name_for_value(value));
36            message.push_str(" into Float");
37            return Err(TypeError::from(message).into());
38        };
39
40        if !value.respond_to(self, "to_f")? {
41            let mut message = String::from("can't convert ");
42            message.push_str(self.inspect_type_name_for_value(value));
43            message.push_str(" into Float");
44            return Err(TypeError::from(message).into());
45        }
46
47        let coerced = value.funcall(self, "to_f", &[], None)?;
48        let Ruby::Float = coerced.ruby_type() else {
49            let mut message = String::from("can't convert ");
50            let name = self.inspect_type_name_for_value(value);
51            message.push_str(name);
52            message.push_str(" into Float (");
53            message.push_str(name);
54            message.push_str("#to_f gives ");
55            message.push_str(self.inspect_type_name_for_value(coerced));
56            message.push(')');
57            return Err(TypeError::from(message).into());
58        };
59
60        coerced.try_convert_into::<f64>(self)
61    }
62}