darklua_core/process/evaluator/lua_value.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247
use crate::nodes::{Expression, NumberExpression, StringExpression};
/// Represents an evaluated Expression result.
#[derive(Debug, Clone, PartialEq)]
pub enum LuaValue {
False,
Function,
Nil,
Number(f64),
String(String),
Table,
True,
Unknown,
}
impl LuaValue {
/// As defined in Lua, all values are considered true, except for false and nil. An option is
/// returned as the LuaValue may be unknown, so it would return none.
/// ```rust
/// # use darklua_core::process::LuaValue;
///
/// // the values considered false
/// assert!(!LuaValue::False.is_truthy().unwrap());
/// assert!(!LuaValue::Nil.is_truthy().unwrap());
///
/// // all the others are true
/// assert!(LuaValue::True.is_truthy().unwrap());
/// assert!(LuaValue::Table.is_truthy().unwrap());
/// assert!(LuaValue::Number(0.0).is_truthy().unwrap());
/// assert!(LuaValue::String("hello".to_owned()).is_truthy().unwrap());
///
/// // unknown case
/// assert!(LuaValue::Unknown.is_truthy().is_none());
/// ```
pub fn is_truthy(&self) -> Option<bool> {
match self {
Self::Unknown => None,
Self::Nil | Self::False => Some(false),
_ => Some(true),
}
}
/// If the value is unknown, this will also return unknown value. In the other case, if the
/// value is considered truthy (see `is_truthy` function), it will call the given function to
/// get the mapped value.
pub fn map_if_truthy<F>(self, map: F) -> Self
where
F: Fn(Self) -> Self,
{
match self.is_truthy() {
Some(true) => map(self),
Some(false) => self,
_ => Self::Unknown,
}
}
/// Like the `map_if_truthy` method, except that instead of returning the same value when the
/// it is falsy, it calls the default callback to obtain another value.
pub fn map_if_truthy_else<F, G>(self, map: F, default: G) -> Self
where
F: Fn(Self) -> Self,
G: Fn() -> Self,
{
match self.is_truthy() {
Some(true) => map(self),
Some(false) => default(),
_ => Self::Unknown,
}
}
/// Attempt to convert the Lua value into an expression node.
pub fn to_expression(self) -> Option<Expression> {
match self {
Self::False => Some(Expression::from(false)),
Self::True => Some(Expression::from(true)),
Self::Nil => Some(Expression::nil()),
Self::String(value) => Some(StringExpression::from_value(value).into()),
Self::Number(value) => Some(Expression::from(value)),
_ => None,
}
}
/// Attempt to convert the Lua value into a number value. This will convert strings when
/// possible and return the same value otherwise.
pub fn number_coercion(self) -> Self {
match &self {
Self::String(string) => {
let string = string.trim();
let number = if string.starts_with('-') {
string
.get(1..)
.and_then(|string| string.parse::<NumberExpression>().ok())
.map(|number| number.compute_value() * -1.0)
} else {
string
.parse::<NumberExpression>()
.ok()
.map(|number| number.compute_value())
};
number.map(LuaValue::Number)
}
_ => None,
}
.unwrap_or(self)
}
/// Attempt to convert the Lua value into a string value. This will convert numbers when
/// possible and return the same value otherwise.
pub fn string_coercion(self) -> Self {
match &self {
Self::Number(value) => Some(Self::String(format!("{}", value))),
_ => None,
}
.unwrap_or(self)
}
}
impl Default for LuaValue {
fn default() -> Self {
Self::Unknown
}
}
impl From<bool> for LuaValue {
fn from(value: bool) -> Self {
if value {
Self::True
} else {
Self::False
}
}
}
impl From<String> for LuaValue {
fn from(value: String) -> Self {
Self::String(value)
}
}
impl From<&str> for LuaValue {
fn from(value: &str) -> Self {
Self::String(value.to_owned())
}
}
impl From<f64> for LuaValue {
fn from(value: f64) -> Self {
Self::Number(value)
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn unknown_lua_value_is_truthy_returns_none() {
assert!(LuaValue::Unknown.is_truthy().is_none());
}
#[test]
fn false_value_is_not_truthy() {
assert!(!LuaValue::False.is_truthy().unwrap());
}
#[test]
fn nil_value_is_not_truthy() {
assert!(!LuaValue::Nil.is_truthy().unwrap());
}
#[test]
fn true_value_is_truthy() {
assert!(LuaValue::True.is_truthy().unwrap());
}
#[test]
fn zero_value_is_truthy() {
assert!(LuaValue::Number(0_f64).is_truthy().unwrap());
}
#[test]
fn string_value_is_truthy() {
assert!(LuaValue::String("".to_owned()).is_truthy().unwrap());
}
#[test]
fn table_value_is_truthy() {
assert!(LuaValue::Table.is_truthy().unwrap());
}
mod number_coercion {
use super::*;
macro_rules! number_coercion {
($($name:ident ($string:literal) => $result:expr),*) => {
$(
#[test]
fn $name() {
assert_eq!(
LuaValue::String($string.into()).number_coercion(),
LuaValue::Number($result)
);
}
)*
};
}
macro_rules! no_number_coercion {
($($name:ident ($string:literal)),*) => {
$(
#[test]
fn $name() {
assert_eq!(
LuaValue::String($string.into()).number_coercion(),
LuaValue::String($string.into())
);
}
)*
};
}
number_coercion!(
zero("0") => 0.0,
integer("12") => 12.0,
integer_with_leading_zeros("00012") => 12.0,
integer_with_ending_space("12 ") => 12.0,
integer_with_leading_space(" 123") => 123.0,
integer_with_leading_tab("\t123") => 123.0,
negative_integer("-3") => -3.0,
hex_zero("0x0") => 0.0,
hex_integer("0xA") => 10.0,
negative_hex_integer("-0xA") => -10.0,
float("0.5") => 0.5,
negative_float("-0.5") => -0.5,
float_starting_with_dot(".5") => 0.5
);
no_number_coercion!(
letter_suffix("123a"),
hex_prefix("0x"),
space_between_minus("- 1"),
two_seperated_digits(" 1 2")
);
}
}