1
use std::{
2
    cmp::Ordering,
3
    fmt::{Display, Write},
4
    hash::Hash,
5
};
6

            
7
use crate::{symbol::Symbol, DynamicValue, FaultKind, PoppedValues, Value, ValueKind};
8

            
9
/// A [`Display`] implementor that converts a string value to its literal form
10
/// including wrapping double quotes.
11
#[must_use]
12
pub struct StringLiteralDisplay<'a>(&'a str);
13

            
14
impl<'a> StringLiteralDisplay<'a> {
15
    /// Returns a new instance for the provided string.
16
14
    pub fn new(value: &'a str) -> Self {
17
14
        Self(value)
18
14
    }
19
}
20

            
21
impl<'a> Display for StringLiteralDisplay<'a> {
22
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
23
14
        f.write_char('"')?;
24
136
        for ch in self.0.chars() {
25
112
            match ch {
26
                '"' => {
27
12
                    f.write_str("\\\"")?;
28
                }
29
                '\\' => {
30
12
                    f.write_str("\\\\")?;
31
                }
32
112
                ch if ch.is_alphanumeric() || ch == ' ' || ch.is_ascii_punctuation() => {
33
64
                    f.write_char(ch)?;
34
                }
35
                '\t' => {
36
12
                    f.write_str("\\t")?;
37
                }
38
                '\r' => {
39
12
                    f.write_str("\\r")?;
40
                }
41
                '\n' => {
42
12
                    f.write_str("\\n")?;
43
                }
44
12
                other => {
45
12
                    let codepoint = u32::from(other);
46
12
                    write!(f, "\\u{{{codepoint:x}}}").expect("error writing codepoint");
47
12
                }
48
            }
49
        }
50
14
        f.write_char('"')
51
14
    }
52
}
53

            
54
impl DynamicValue for String {
55
12
    fn is_truthy(&self) -> bool {
56
12
        !self.is_empty()
57
12
    }
58

            
59
12
    fn kind(&self) -> Symbol {
60
12
        Symbol::from("String")
61
12
    }
62

            
63
48
    fn partial_eq(&self, other: &Value) -> Option<bool> {
64
48
        other.as_dynamic::<Self>().map(|other| self == other)
65
48
    }
66

            
67
    fn partial_cmp(&self, other: &Value) -> Option<Ordering> {
68
        other.as_dynamic::<Self>().map(|other| self.cmp(other))
69
    }
70

            
71
12
    fn call(&self, name: &Symbol, args: &mut PoppedValues<'_>) -> Result<Value, FaultKind> {
72
12
        match name.as_str() {
73
12
            "replace" => {
74
12
                let needle = args.next_argument("pattern")?;
75
12
                let needle = needle.as_dynamic::<Self>().ok_or_else(|| {
76
                    FaultKind::invalid_type(
77
                        "search pattern must be a string. Found `@received-value` (@received-kind)",
78
                        needle.clone(),
79
                    )
80
12
                })?;
81
12
                let replacement = args.next_argument("replacement")?;
82
12
                let replacement = replacement.as_dynamic::<Self>().ok_or_else(|| {
83
                    FaultKind::invalid_type(
84
                        "replacement must be a string. Found `@received-value` (@received-kind)",
85
                        replacement.clone(),
86
                    )
87
12
                })?;
88

            
89
12
                args.verify_empty()?;
90

            
91
12
                Ok(Value::dynamic(self.replace(needle, replacement)))
92
            }
93
            _ => Err(FaultKind::UnknownFunction {
94
                kind: ValueKind::Dynamic(self.kind()),
95
                name: name.clone(),
96
            }),
97
        }
98
12
    }
99

            
100
12
    fn to_source(&self) -> Option<String> {
101
12
        Some(StringLiteralDisplay::new(self).to_string())
102
12
    }
103

            
104
    fn checked_add(&self, other: &Value, _is_reverse: bool) -> Result<Option<Value>, FaultKind> {
105
12
        if let Some(other) = other.as_dynamic::<Self>() {
106
            // We can ignore is_reverse because when both lhs and rhs are the
107
            // same dynamic type, we never return Ok(None), so the reverse
108
            // operation will not be attempted.
109
12
            let combined = [self.as_str(), other.as_str()].join("");
110
12
            Ok(Some(Value::dynamic(combined)))
111
        } else {
112
            Ok(None)
113
        }
114
12
    }
115

            
116
    fn checked_mul(&self, other: &Value, _is_reverse: bool) -> Result<Option<Value>, FaultKind> {
117
24
        if let Some(repeat) = other
118
24
            .as_i64()
119
24
            .and_then(|repeat| usize::try_from(repeat).ok())
120
        {
121
24
            if let Some(total_length) = self.len().checked_mul(repeat) {
122
24
                let mut repeated = String::with_capacity(total_length);
123
120
                for _ in 0..repeat {
124
120
                    repeated.push_str(self);
125
120
                }
126
24
                return Ok(Some(Value::dynamic(repeated)));
127
            }
128
        }
129

            
130
        Ok(None)
131
24
    }
132

            
133
36
    fn hash<H>(&self, state: &mut H) -> bool
134
36
    where
135
36
        H: std::hash::Hasher,
136
36
    {
137
36
        Hash::hash(self, state);
138
36
        true
139
36
    }
140
}