summaryrefslogtreecommitdiff
path: root/crdt/src/lib.rs
blob: 977763feba97080e9cba2ff8596ce98d694fa331 (plain)
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
//! This crate defines the distributed state management system for
//! Notive. The state is an operation-based CRDT, which given the same
//! set of operations on any client, will realize the same state.

use thiserror::Error;
use uuid::Uuid;

use crate::{
    doc::{ApplyOpError, Doc},
    op::{Op, OpKind},
    vector_clock::VectorClock,
};

mod doc;
mod op;
mod vector_clock;

#[derive(Error, Debug)]
pub enum Error {
    #[error("error while realizing state")]
    RealizeError(#[from] ApplyOpError),
}

#[derive(Default)]
pub struct State {
    ops: Vec<Op>,
}

impl State {
    pub fn append_op(&mut self, actor_id: &Uuid, kind: OpKind) {
        let clock = self
            .ops
            .last()
            .map(|op| op.clock.inc(actor_id))
            .unwrap_or_else(|| VectorClock::new().inc(actor_id));

        self.ops.push(Op {
            id: Uuid::now_v7(),
            clock,
            kind,
        });
    }

    pub fn realize(&self) -> Result<Doc, Error> {
        let mut doc = Doc::default();

        for op in &self.ops {
            doc.apply_op(op)?;
        }

        Ok(doc)
    }
}

#[cfg(test)]
mod tests {
    use crate::op::CreateGrid;

    use super::*;

    #[test]
    fn test() {
        let alice = Uuid::now_v7();

        let mut state = State::default();

        state.append_op(
            &alice,
            OpKind::CreateGrid(CreateGrid {
                rows: 4,
                base_cells_per_row: 16,
            }),
        );

        let doc = state.realize().unwrap();
        let grid = doc.grids.first().unwrap();
        assert_eq!(grid.rows.len(), 4);
    }
}