summaryrefslogtreecommitdiff
path: root/src/service/rooms/state_compressor/mod.rs
blob: d29b020be69f375121dec46437f40381b81a11cd (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
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
pub mod data;
use std::{
    collections::HashSet,
    mem::size_of,
    sync::{Arc, Mutex},
};

pub use data::Data;
use lru_cache::LruCache;
use ruma::{EventId, RoomId};

use crate::{services, utils, Result};

use self::data::StateDiff;

pub struct Service {
    pub db: &'static dyn Data,

    pub stateinfo_cache: Mutex<
        LruCache<
            u64,
            Vec<(
                u64,                                // sstatehash
                Arc<HashSet<CompressedStateEvent>>, // full state
                Arc<HashSet<CompressedStateEvent>>, // added
                Arc<HashSet<CompressedStateEvent>>, // removed
            )>,
        >,
    >,
}

pub type CompressedStateEvent = [u8; 2 * size_of::<u64>()];

impl Service {
    /// Returns a stack with info on shortstatehash, full state, added diff and removed diff for the selected shortstatehash and each parent layer.
    #[tracing::instrument(skip(self))]
    pub fn load_shortstatehash_info(
        &self,
        shortstatehash: u64,
    ) -> Result<
        Vec<(
            u64,                                // sstatehash
            Arc<HashSet<CompressedStateEvent>>, // full state
            Arc<HashSet<CompressedStateEvent>>, // added
            Arc<HashSet<CompressedStateEvent>>, // removed
        )>,
    > {
        if let Some(r) = self
            .stateinfo_cache
            .lock()
            .unwrap()
            .get_mut(&shortstatehash)
        {
            return Ok(r.clone());
        }

        let StateDiff {
            parent,
            added,
            removed,
        } = self.db.get_statediff(shortstatehash)?;

        if let Some(parent) = parent {
            let mut response = self.load_shortstatehash_info(parent)?;
            let mut state = (*response.last().unwrap().1).clone();
            state.extend(added.iter().copied());
            let removed = (*removed).clone();
            for r in &removed {
                state.remove(r);
            }

            response.push((shortstatehash, Arc::new(state), added, Arc::new(removed)));

            self.stateinfo_cache
                .lock()
                .unwrap()
                .insert(shortstatehash, response.clone());

            Ok(response)
        } else {
            let response = vec![(shortstatehash, added.clone(), added, removed)];
            self.stateinfo_cache
                .lock()
                .unwrap()
                .insert(shortstatehash, response.clone());
            Ok(response)
        }
    }

    pub fn compress_state_event(
        &self,
        shortstatekey: u64,
        event_id: &EventId,
    ) -> Result<CompressedStateEvent> {
        let mut v = shortstatekey.to_be_bytes().to_vec();
        v.extend_from_slice(
            &services()
                .rooms
                .short
                .get_or_create_shorteventid(event_id)?
                .to_be_bytes(),
        );
        Ok(v.try_into().expect("we checked the size above"))
    }

    /// Returns shortstatekey, event id
    pub fn parse_compressed_state_event(
        &self,
        compressed_event: &CompressedStateEvent,
    ) -> Result<(u64, Arc<EventId>)> {
        Ok((
            utils::u64_from_bytes(&compressed_event[0..size_of::<u64>()])
                .expect("bytes have right length"),
            services().rooms.short.get_eventid_from_short(
                utils::u64_from_bytes(&compressed_event[size_of::<u64>()..])
                    .expect("bytes have right length"),
            )?,
        ))
    }

    /// Creates a new shortstatehash that often is just a diff to an already existing
    /// shortstatehash and therefore very efficient.
    ///
    /// There are multiple layers of diffs. The bottom layer 0 always contains the full state. Layer
    /// 1 contains diffs to states of layer 0, layer 2 diffs to layer 1 and so on. If layer n > 0
    /// grows too big, it will be combined with layer n-1 to create a new diff on layer n-1 that's
    /// based on layer n-2. If that layer is also too big, it will recursively fix above layers too.
    ///
    /// * `shortstatehash` - Shortstatehash of this state
    /// * `statediffnew` - Added to base. Each vec is shortstatekey+shorteventid
    /// * `statediffremoved` - Removed from base. Each vec is shortstatekey+shorteventid
    /// * `diff_to_sibling` - Approximately how much the diff grows each time for this layer
    /// * `parent_states` - A stack with info on shortstatehash, full state, added diff and removed diff for each parent layer
    #[tracing::instrument(skip(
        self,
        statediffnew,
        statediffremoved,
        diff_to_sibling,
        parent_states
    ))]
    pub fn save_state_from_diff(
        &self,
        shortstatehash: u64,
        statediffnew: Arc<HashSet<CompressedStateEvent>>,
        statediffremoved: Arc<HashSet<CompressedStateEvent>>,
        diff_to_sibling: usize,
        mut parent_states: Vec<(
            u64,                                // sstatehash
            Arc<HashSet<CompressedStateEvent>>, // full state
            Arc<HashSet<CompressedStateEvent>>, // added
            Arc<HashSet<CompressedStateEvent>>, // removed
        )>,
    ) -> Result<()> {
        let diffsum = statediffnew.len() + statediffremoved.len();

        if parent_states.len() > 3 {
            // Number of layers
            // To many layers, we have to go deeper
            let parent = parent_states.pop().unwrap();

            let mut parent_new = (*parent.2).clone();
            let mut parent_removed = (*parent.3).clone();

            for removed in statediffremoved.iter() {
                if !parent_new.remove(removed) {
                    // It was not added in the parent and we removed it
                    parent_removed.insert(removed.clone());
                }
                // Else it was added in the parent and we removed it again. We can forget this change
            }

            for new in statediffnew.iter() {
                if !parent_removed.remove(new) {
                    // It was not touched in the parent and we added it
                    parent_new.insert(new.clone());
                }
                // Else it was removed in the parent and we added it again. We can forget this change
            }

            self.save_state_from_diff(
                shortstatehash,
                Arc::new(parent_new),
                Arc::new(parent_removed),
                diffsum,
                parent_states,
            )?;

            return Ok(());
        }

        if parent_states.is_empty() {
            // There is no parent layer, create a new state
            self.db.save_statediff(
                shortstatehash,
                StateDiff {
                    parent: None,
                    added: statediffnew,
                    removed: statediffremoved,
                },
            )?;

            return Ok(());
        };

        // Else we have two options.
        // 1. We add the current diff on top of the parent layer.
        // 2. We replace a layer above

        let parent = parent_states.pop().unwrap();
        let parent_diff = parent.2.len() + parent.3.len();

        if diffsum * diffsum >= 2 * diff_to_sibling * parent_diff {
            // Diff too big, we replace above layer(s)
            let mut parent_new = (*parent.2).clone();
            let mut parent_removed = (*parent.3).clone();

            for removed in statediffremoved.iter() {
                if !parent_new.remove(removed) {
                    // It was not added in the parent and we removed it
                    parent_removed.insert(removed.clone());
                }
                // Else it was added in the parent and we removed it again. We can forget this change
            }

            for new in statediffnew.iter() {
                if !parent_removed.remove(new) {
                    // It was not touched in the parent and we added it
                    parent_new.insert(new.clone());
                }
                // Else it was removed in the parent and we added it again. We can forget this change
            }

            self.save_state_from_diff(
                shortstatehash,
                Arc::new(parent_new),
                Arc::new(parent_removed),
                diffsum,
                parent_states,
            )?;
        } else {
            // Diff small enough, we add diff as layer on top of parent
            self.db.save_statediff(
                shortstatehash,
                StateDiff {
                    parent: Some(parent.0),
                    added: statediffnew,
                    removed: statediffremoved,
                },
            )?;
        }

        Ok(())
    }

    /// Returns the new shortstatehash, and the state diff from the previous room state
    pub fn save_state(
        &self,
        room_id: &RoomId,
        new_state_ids_compressed: Arc<HashSet<CompressedStateEvent>>,
    ) -> Result<(
        u64,
        Arc<HashSet<CompressedStateEvent>>,
        Arc<HashSet<CompressedStateEvent>>,
    )> {
        let previous_shortstatehash = services().rooms.state.get_room_shortstatehash(room_id)?;

        let state_hash = utils::calculate_hash(
            &new_state_ids_compressed
                .iter()
                .map(|bytes| &bytes[..])
                .collect::<Vec<_>>(),
        );

        let (new_shortstatehash, already_existed) = services()
            .rooms
            .short
            .get_or_create_shortstatehash(&state_hash)?;

        if Some(new_shortstatehash) == previous_shortstatehash {
            return Ok((
                new_shortstatehash,
                Arc::new(HashSet::new()),
                Arc::new(HashSet::new()),
            ));
        }

        let states_parents = previous_shortstatehash
            .map_or_else(|| Ok(Vec::new()), |p| self.load_shortstatehash_info(p))?;

        let (statediffnew, statediffremoved) = if let Some(parent_stateinfo) = states_parents.last()
        {
            let statediffnew: HashSet<_> = new_state_ids_compressed
                .difference(&parent_stateinfo.1)
                .copied()
                .collect();

            let statediffremoved: HashSet<_> = parent_stateinfo
                .1
                .difference(&new_state_ids_compressed)
                .copied()
                .collect();

            (Arc::new(statediffnew), Arc::new(statediffremoved))
        } else {
            (new_state_ids_compressed, Arc::new(HashSet::new()))
        };

        if !already_existed {
            self.save_state_from_diff(
                new_shortstatehash,
                statediffnew.clone(),
                statediffremoved.clone(),
                2, // every state change is 2 event changes on average
                states_parents,
            )?;
        };

        Ok((new_shortstatehash, statediffnew, statediffremoved))
    }
}