handlebars/json/
value.rs

1use serde::Serialize;
2use serde_json::value::{to_value, Value as Json};
3
4pub(crate) static DEFAULT_VALUE: Json = Json::Null;
5
6/// A JSON wrapper designed for handlebars internal use case
7///
8/// * Constant: the JSON value hardcoded into template
9/// * Context:  the JSON value referenced in your provided data context
10/// * Derived:  the owned JSON value computed during rendering process
11///
12#[derive(Debug, Clone)]
13pub enum ScopedJson<'rc> {
14    Constant(&'rc Json),
15    Derived(Json),
16    // represents a json reference to context value, its full path
17    Context(&'rc Json, Vec<String>),
18    Missing,
19}
20
21impl<'rc> ScopedJson<'rc> {
22    /// get the JSON reference
23    pub fn as_json(&self) -> &Json {
24        match self {
25            ScopedJson::Constant(j) => j,
26            ScopedJson::Derived(ref j) => j,
27            ScopedJson::Context(j, _) => j,
28            _ => &DEFAULT_VALUE,
29        }
30    }
31
32    pub fn render(&self) -> String {
33        self.as_json().render()
34    }
35
36    pub fn is_missing(&self) -> bool {
37        matches!(self, ScopedJson::Missing)
38    }
39
40    pub fn into_derived(self) -> ScopedJson<'rc> {
41        let v = self.as_json();
42        ScopedJson::Derived(v.clone())
43    }
44
45    pub fn context_path(&self) -> Option<&Vec<String>> {
46        match self {
47            ScopedJson::Context(_, ref p) => Some(p),
48            _ => None,
49        }
50    }
51}
52
53impl<'rc> From<Json> for ScopedJson<'rc> {
54    fn from(v: Json) -> ScopedJson<'rc> {
55        ScopedJson::Derived(v)
56    }
57}
58
59/// Json wrapper that holds the Json value and reference path information
60///
61#[derive(Debug, Clone)]
62pub struct PathAndJson<'rc> {
63    relative_path: Option<String>,
64    value: ScopedJson<'rc>,
65}
66
67impl<'rc> PathAndJson<'rc> {
68    pub fn new(relative_path: Option<String>, value: ScopedJson<'rc>) -> PathAndJson<'rc> {
69        PathAndJson {
70            relative_path,
71            value,
72        }
73    }
74
75    /// Returns relative path when the value is referenced
76    /// If the value is from a literal, the path is `None`
77    pub fn relative_path(&self) -> Option<&String> {
78        self.relative_path.as_ref()
79    }
80
81    /// Returns full path to this value if any
82    pub fn context_path(&self) -> Option<&Vec<String>> {
83        self.value.context_path()
84    }
85
86    /// Returns the value
87    pub fn value(&self) -> &Json {
88        self.value.as_json()
89    }
90
91    /// Returns the value, if it is a constant. Otherwise returns None.
92    pub fn try_get_constant_value(&self) -> Option<&'rc Json> {
93        match &self.value {
94            ScopedJson::Constant(value) => Some(*value),
95            ScopedJson::Context(_, _) | ScopedJson::Derived(_) | ScopedJson::Missing => None,
96        }
97    }
98
99    /// Test if value is missing
100    pub fn is_value_missing(&self) -> bool {
101        self.value.is_missing()
102    }
103
104    pub fn render(&self) -> String {
105        self.value.render()
106    }
107}
108
109/// Render Json data with default format
110pub trait JsonRender {
111    fn render(&self) -> String;
112}
113
114pub trait JsonTruthy {
115    fn is_truthy(&self, include_zero: bool) -> bool;
116}
117
118impl JsonRender for Json {
119    fn render(&self) -> String {
120        match *self {
121            Json::String(ref s) => s.to_string(),
122            Json::Bool(i) => i.to_string(),
123            Json::Number(ref n) => n.to_string(),
124            Json::Null => String::new(),
125            Json::Array(ref a) => {
126                let mut buf = String::new();
127                buf.push('[');
128                for (i, value) in a.iter().enumerate() {
129                    buf.push_str(value.render().as_ref());
130
131                    if i < a.len() - 1 {
132                        buf.push_str(", ");
133                    }
134                }
135                buf.push(']');
136                buf
137            }
138            Json::Object(_) => "[object]".to_owned(),
139        }
140    }
141}
142
143/// Convert any serializable data into Serde Json type
144pub fn to_json<T>(src: T) -> Json
145where
146    T: Serialize,
147{
148    to_value(src).unwrap_or_default()
149}
150
151pub fn as_string(src: &Json) -> Option<&str> {
152    src.as_str()
153}
154
155impl JsonTruthy for Json {
156    fn is_truthy(&self, include_zero: bool) -> bool {
157        match *self {
158            Json::Bool(ref i) => *i,
159            Json::Number(ref n) => {
160                if include_zero {
161                    n.as_f64().is_some_and(|f| !f.is_nan())
162                } else {
163                    // there is no inifity in json/serde_json
164                    n.as_f64().is_some_and(f64::is_normal)
165                }
166            }
167            Json::Null => false,
168            Json::String(ref i) => !i.is_empty(),
169            Json::Array(ref i) => !i.is_empty(),
170            Json::Object(ref i) => !i.is_empty(),
171        }
172    }
173}
174
175#[test]
176fn test_json_render() {
177    let raw = "<p>Hello world</p>\n<p thing=\"hello\"</p>";
178    let thing = Json::String(raw.to_string());
179
180    assert_eq!(raw, thing.render());
181}
182
183#[test]
184fn test_json_number_truthy() {
185    use std::f64;
186    assert!(json!(16i16).is_truthy(false));
187    assert!(json!(16i16).is_truthy(true));
188
189    assert!(json!(0i16).is_truthy(true));
190    assert!(!json!(0i16).is_truthy(false));
191
192    assert!(json!(1.0f64).is_truthy(false));
193    assert!(json!(1.0f64).is_truthy(true));
194
195    assert!(json!(Some(16i16)).is_truthy(false));
196    assert!(json!(Some(16i16)).is_truthy(true));
197
198    assert!(!json!(None as Option<i16>).is_truthy(false));
199    assert!(!json!(None as Option<i16>).is_truthy(true));
200
201    assert!(!json!(f64::NAN).is_truthy(false));
202    assert!(!json!(f64::NAN).is_truthy(true));
203
204    // there is no infinity in json/serde_json
205    // assert!(json!(f64::INFINITY).is_truthy(false));
206    // assert!(json!(f64::INFINITY).is_truthy(true));
207
208    // assert!(json!(f64::NEG_INFINITY).is_truthy(false));
209    // assert!(json!(f64::NEG_INFINITY).is_truthy(true));
210}