Diff

A rust trait for diffing and applying diffs between structs of a certain type. Features a derive macro.

Abstractly speaking, a 'diff' between two structs A and B can be considered the change necessary to make to A to produce B. Succinctly we describe this rule as A --> B = D and A <-- D = B

Diff is automatically derived on bools, numerals, Option's, HashMap's, and Vec's (provided the types they contain also implement Diff). The implementation of diffing Vec's is non-standard, but similar in theory to Myer's algorithm (used in Git diffs). It is described further below.

Derive macro

The derive macro can be used on tuple or field structs to produce a new struct representing their difference. Note that this new struct is not considered to be the same type as the base struct, because certain data types cannot represent their own diff (bools, maps, lists, etc). Currently only 1 helper attribute is supported, attr which allows passing attributes (doc comments/derives) to the generated struct. The generated struct name is by default the name of the base struct plus "Diff". Example:

```rust

[derive(Debug, Default, PartialEq, Diff)]

pub struct ProjectMeta { contributors: Vec, combinedworkhours: usize, }

[test]

fn testapply() { let mut base = ProjectMeta::default(); let contributiona = ProjectMeta { contributors: vec!["Alice".into()], combinedworkhours: 3, }; let contributionb = ProjectMeta { contributors: vec!["Bob".into(), "Candice".into()], combinedworkhours: 10, }; let expected = ProjectMeta { contributors: vec!["Bob".into(), "Candice".into(), "Alice".into()], combinedworkhours: 13, }; let diffa = base.diff(&contributiona); let diffb = base.diff(&contributionb); base.apply(&diffa); base.apply(&diffb); asserteq!(base, expected); } ```

In action

In theory

An object implementing Diff will translate well into human-readable diffs of arbitrary data types, avoiding the problems and false positives of diffing or patching plain-text versions of the serialized structs.