Skip to main content

launchdarkly_server_sdk_evaluation/
attribute_value.rs

1use std::collections::HashMap;
2
3use chrono::{self, LocalResult, TimeZone, Utc};
4
5use lazy_static::lazy_static;
6use log::warn;
7use regex::Regex;
8use serde::{Deserialize, Serialize};
9use serde_json::Value;
10
11use crate::util::f64_to_i64_safe;
12
13lazy_static! {
14    static ref VERSION_NUMERIC_COMPONENTS_REGEX: Regex =
15        Regex::new(r"^\d+(\.\d+)?(\.\d+)?").unwrap();
16}
17
18/// An attribute value represents possible values that can be stored in a [crate::Context].
19#[derive(Clone, Debug, Deserialize, PartialEq, Serialize)]
20#[serde(untagged)]
21pub enum AttributeValue {
22    /// Stores a string value.
23    String(String),
24    /// Stores an array of attribute values.
25    Array(Vec<AttributeValue>),
26    /// Stores a number.
27    Number(f64),
28    /// Stores a boolean.
29    Bool(bool),
30    /// Stores a map of attribute values.
31    Object(HashMap<String, AttributeValue>),
32    /// Stores a null value.
33    Null,
34}
35
36impl From<&str> for AttributeValue {
37    fn from(s: &str) -> AttributeValue {
38        AttributeValue::String(s.to_owned())
39    }
40}
41
42impl From<String> for AttributeValue {
43    fn from(s: String) -> AttributeValue {
44        AttributeValue::String(s)
45    }
46}
47
48impl From<bool> for AttributeValue {
49    fn from(b: bool) -> AttributeValue {
50        AttributeValue::Bool(b)
51    }
52}
53
54impl From<i64> for AttributeValue {
55    fn from(i: i64) -> Self {
56        AttributeValue::Number(i as f64)
57    }
58}
59
60impl From<f64> for AttributeValue {
61    fn from(f: f64) -> Self {
62        AttributeValue::Number(f)
63    }
64}
65
66impl<T> From<Vec<T>> for AttributeValue
67where
68    AttributeValue: From<T>,
69{
70    fn from(v: Vec<T>) -> AttributeValue {
71        v.into_iter().collect()
72    }
73}
74
75impl<S, T> From<HashMap<S, T>> for AttributeValue
76where
77    String: From<S>,
78    AttributeValue: From<T>,
79{
80    fn from(hashmap: HashMap<S, T>) -> AttributeValue {
81        hashmap.into_iter().collect()
82    }
83}
84
85impl<T> FromIterator<T> for AttributeValue
86where
87    AttributeValue: From<T>,
88{
89    fn from_iter<I: IntoIterator<Item = T>>(iter: I) -> Self {
90        AttributeValue::Array(iter.into_iter().map(AttributeValue::from).collect())
91    }
92}
93
94impl<S, T> FromIterator<(S, T)> for AttributeValue
95where
96    String: From<S>,
97    AttributeValue: From<T>,
98{
99    fn from_iter<I: IntoIterator<Item = (S, T)>>(iter: I) -> Self {
100        AttributeValue::Object(
101            iter.into_iter()
102                .map(|(k, v)| (k.into(), v.into()))
103                .collect(),
104        )
105    }
106}
107
108impl From<&Value> for AttributeValue {
109    fn from(v: &Value) -> Self {
110        match v {
111            Value::Null => AttributeValue::Null,
112            Value::Bool(b) => AttributeValue::Bool(*b),
113            Value::Number(n) => match n.as_f64() {
114                Some(float) => AttributeValue::Number(float),
115                None => {
116                    warn!("could not interpret '{n:?}' as f64");
117                    AttributeValue::String(n.to_string())
118                }
119            },
120            Value::String(str) => AttributeValue::String(str.clone()),
121            Value::Array(arr) => {
122                AttributeValue::Array(arr.iter().map(AttributeValue::from).collect())
123            }
124            Value::Object(obj) => {
125                AttributeValue::Object(obj.iter().map(|(k, v)| (k.into(), v.into())).collect())
126            }
127        }
128    }
129}
130
131impl AttributeValue {
132    /// Returns None unless self is a String. It will not convert.
133    pub fn as_str(&self) -> Option<&str> {
134        match self {
135            AttributeValue::String(s) => Some(s),
136            _ => None,
137        }
138    }
139
140    /// Returns the wrapped value as a float for numeric types, and None otherwise.
141    pub fn to_f64(&self) -> Option<f64> {
142        match self {
143            AttributeValue::Number(f) => Some(*f),
144            _ => None,
145        }
146    }
147
148    /// Returns None unless self is a bool. It will not convert.
149    pub fn as_bool(&self) -> Option<bool> {
150        match self {
151            AttributeValue::Bool(b) => Some(*b),
152            _ => None,
153        }
154    }
155
156    /// Attempt to convert any of the following into a chrono::DateTime in UTC:
157    ///
158    ///  * RFC3339/ISO8601 timestamp (example: "2016-04-16T17:09:12.759-07:00")
159    ///  * Unix epoch milliseconds as number
160    ///
161    /// It will return None if the conversion fails or if no conversion is possible.
162    pub fn to_datetime(&self) -> Option<chrono::DateTime<Utc>> {
163        match self {
164            AttributeValue::Number(millis) => {
165                f64_to_i64_safe(*millis).and_then(|millis| match Utc.timestamp_millis_opt(millis) {
166                    LocalResult::None | LocalResult::Ambiguous(_, _) => None,
167                    LocalResult::Single(time) => Some(time),
168                })
169            }
170            AttributeValue::String(s) => chrono::DateTime::parse_from_rfc3339(s)
171                .map(|dt| dt.with_timezone(&Utc))
172                .ok(),
173            AttributeValue::Bool(_) | AttributeValue::Null => None,
174            other => {
175                warn!("Don't know how or whether to convert attribute value {other:?} to datetime");
176                None
177            }
178        }
179    }
180
181    /// Attempt to parse a string attribute into a semver version.
182    ///
183    /// It will return None if it cannot parse it, or for non-string attributes.
184    pub fn as_semver(&self) -> Option<semver::Version> {
185        let version_str = self.as_str()?;
186        semver::Version::parse(version_str)
187            .ok()
188            .or_else(|| AttributeValue::parse_semver_loose(version_str))
189            .map(|mut version| {
190                version.build = semver::BuildMetadata::EMPTY;
191                version
192            })
193    }
194
195    fn parse_semver_loose(version_str: &str) -> Option<semver::Version> {
196        let parts = VERSION_NUMERIC_COMPONENTS_REGEX.captures(version_str)?;
197
198        let numeric_parts = parts.get(0).unwrap();
199        let mut transformed_version_str = numeric_parts.as_str().to_string();
200
201        for i in 1..parts.len() {
202            if parts.get(i).is_none() {
203                transformed_version_str.push_str(".0");
204            }
205        }
206
207        let rest = &version_str[numeric_parts.end()..];
208        transformed_version_str.push_str(rest);
209
210        semver::Version::parse(&transformed_version_str).ok()
211    }
212
213    /// Find the AttributeValue based off the provided predicate `p`.
214    pub fn find<P>(&self, p: P) -> Option<&AttributeValue>
215    where
216        P: Fn(&AttributeValue) -> bool,
217    {
218        match self {
219            AttributeValue::String(_)
220            | AttributeValue::Number(_)
221            | AttributeValue::Bool(_)
222            | AttributeValue::Object(_) => {
223                if p(self) {
224                    Some(self)
225                } else {
226                    None
227                }
228            }
229            AttributeValue::Array(values) => values.iter().find(|v| p(v)),
230            AttributeValue::Null => None,
231        }
232    }
233
234    #[allow(clippy::float_cmp)]
235    pub(crate) fn as_bucketable(&self) -> Option<String> {
236        match self {
237            AttributeValue::String(s) => Some(s.clone()),
238            AttributeValue::Number(f) => {
239                // We only support integer values as bucketable
240                f64_to_i64_safe(*f).and_then(|i| {
241                    if i as f64 == *f {
242                        Some(i.to_string())
243                    } else {
244                        None
245                    }
246                })
247            }
248            _ => None,
249        }
250    }
251}
252
253#[cfg(test)]
254mod tests {
255    use super::AttributeValue;
256    use maplit::hashmap;
257
258    #[test]
259    fn collect_array() {
260        assert_eq!(
261            Some(10_i64).into_iter().collect::<AttributeValue>(),
262            AttributeValue::Array(vec![AttributeValue::Number(10_f64)])
263        );
264    }
265
266    #[test]
267    fn collect_object() {
268        assert_eq!(
269            Some(("abc", 10_i64))
270                .into_iter()
271                .collect::<AttributeValue>(),
272            AttributeValue::Object(hashmap! {"abc".to_string() => AttributeValue::Number(10_f64)})
273        );
274    }
275
276    #[test]
277    fn deserialization() {
278        fn test_case(json: &str, expected: AttributeValue) {
279            assert_eq!(
280                serde_json::from_str::<AttributeValue>(json).unwrap(),
281                expected
282            );
283        }
284
285        test_case("1.0", AttributeValue::Number(1.0));
286        test_case("1", AttributeValue::Number(1.0));
287        test_case("true", AttributeValue::Bool(true));
288        test_case("\"foo\"", AttributeValue::String("foo".to_string()));
289        test_case("{}", AttributeValue::Object(hashmap![]));
290        test_case(
291            r#"{"foo":123}"#,
292            AttributeValue::Object(hashmap!["foo".to_string() => AttributeValue::Number(123.0)]),
293        );
294    }
295}