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
use serde_json::Value;
use crate::Changes;
use crate::Diff;
use crate::DiffError;
use super::PatchObject;
use super::JsonDiff;
impl Changes for Value {
type Replace = Value;
type Patch = PatchObject;
fn diff(&self, new: &Self) -> Result<JsonDiff, DiffError> {
if *self == *new {
return Ok(Diff::None);
}
match self {
Value::Null => Ok(Diff::Replace(new.clone())),
_ => {
match new {
Value::Null => Ok(Diff::Delete),
Value::Bool(ref _val) => Ok(Diff::Replace(new.clone())),
Value::Number(ref _val) => Ok(Diff::Replace(new.clone())),
Value::String(ref _val) => Ok(Diff::Replace(new.clone())),
Value::Array(ref _val) => Ok(Diff::Replace(new.clone())),
Value::Object(ref new_val) => match self {
Value::Object(ref old_val) => {
let patch = PatchObject::diff(old_val, new_val)?;
Ok(Diff::Patch(patch))
}
_ => Err(DiffError::DiffValue),
},
}
}
}
}
}
#[cfg(test)]
mod test {
use serde_json::json;
use serde_json::Value;
use super::Changes;
#[test]
fn test_null_comparision() {
let n1 = Value::Null;
let str1 = Value::String("test".to_owned());
let str2 = Value::String("test".to_owned());
assert!(n1.diff(&str1).expect("diff").is_replace());
assert!(str1.diff(&str2).expect("diff").is_none());
}
#[test]
fn test_object_comparision() {
let old_spec = json!({
"replicas": 2,
"apple": 5
});
let new_spec = json!({
"replicas": 3,
"apple": 5
});
let diff = old_spec.diff(&new_spec).expect("diff");
assert!(diff.is_patch());
let patch = diff.as_patch_ref().get_inner_ref();
assert_eq!(patch.len(), 1);
let diff_replicas = patch.get("replicas").unwrap();
assert!(diff_replicas.is_replace());
assert_eq!(*diff_replicas.as_replace_ref(), 3);
}
}