Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(sdk): Introduce event_cache::Deduplicator #4174

Merged
merged 3 commits into from
Oct 30, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

1 change: 1 addition & 0 deletions crates/matrix-sdk/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -82,6 +82,7 @@ eyeball-im = { workspace = true }
eyre = { version = "0.6.8", optional = true }
futures-core = { workspace = true }
futures-util = { workspace = true }
growable-bloom-filter = { workspace = true }
http = { workspace = true }
imbl = { workspace = true, features = ["serde"] }
indexmap = "2.0.2"
Expand Down
270 changes: 270 additions & 0 deletions crates/matrix-sdk/src/event_cache/deduplicator.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,270 @@
// Copyright 2024 The Matrix.org Foundation C.I.C.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.

//! Simple but efficient types to find duplicated events. See [`Deduplicator`]
//! to learn more.

use std::{collections::BTreeSet, fmt, sync::Mutex};

use growable_bloom_filter::{GrowableBloom, GrowableBloomBuilder};

use super::room::events::{Event, RoomEvents};

/// `Deduplicator` is an efficient type to find duplicated events.
///
/// It uses a [bloom filter] to provide a memory efficient probabilistic answer
/// to: “has event E been seen already?”. False positives are possible, while
/// false negatives are impossible. In the case of a positive reply, we fallback
/// to a linear (backward) search on all events to check whether it's a false
/// positive or not
///
/// [bloom filter]: https://en.wikipedia.org/wiki/Bloom_filter
pub struct Deduplicator {
bloom_filter: Mutex<GrowableBloom>,
}

impl fmt::Debug for Deduplicator {
fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
formatter.debug_struct("Deduplicator").finish_non_exhaustive()
}
}

impl Deduplicator {
const APPROXIMATED_MAXIMUM_NUMBER_OF_EVENTS: usize = 800_000;
const DESIRED_FALSE_POSITIVE_RATE: f64 = 0.001;

/// Create a new `Deduplicator`.
pub fn new() -> Self {
Self {
bloom_filter: Mutex::new(
GrowableBloomBuilder::new()
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Sorry to be the knight who says YAGNI, but… is it so much faster, considering we do have a btreeset check in both branches after the check_and_set below (equivalent to inserting into the btreeset)? Do you have data supporting this (a benchmark)?

Copy link
Member Author

@Hywan Hywan Oct 29, 2024

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The BTreeSet is used only to check the duplicates in the new events that we are checking. The bloom filter is to check the duplicates in past events. For example:

  • The bloom filter contains []. I check ["$ev0", "$ev1", "$ev2]. No duplicates.
  • The bloom filter now contains ["$ev0", "$ev1", "$ev2"]. I check ["$ev3"]. No duplicates.
  • The bloom filter now contains ["$ev0", "$ev1", "$ev2", "$ev3"]. I check ["$ev0"]. There is a duplicate.
  • The bloom filter now contains ["$ev0", "$ev1", "$ev2", "$ev3"]. I check ["$ev4", "$ev4"]. There is a duplicate but in the new events! That's detected by the use of BTreeSet.
  • The bloom filter now contains ["$ev0", "$ev1", "$ev2", "$ev3", "$ev4"].

This BTreeSet is necessary to reliably detect duplicates in the new scanned events.

You're right the BTreeSet is hit in the 2 paths inside check_and_set but the bloom filter is still more memory-space efficient than if we were using BTreeSet for new (currently scanned) and past (already scanned) events. That's the only reason I use a bloom filter here: to save memory.

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

makes sense, thanks. How much memory are we saving, say, for 1K events?

Copy link
Member Author

@Hywan Hywan Oct 29, 2024

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

2 scenarios: (i) BTreeSet to track all events, (ii) Bloom filter to track all events (as this PR does):

number of events size of BTreeSet (bytes) size of bloom filter (bytes)
100 1640 80
1000 16_040 80
10_000 160_040 80
100_000 1_600_040 80
1_000_000 16_000_040 88

The bloom filter is radically smaller, and almost constant in size!

The event ID is of formed $ev{nth}, that's what's stored in the BTreeSet or the bloom filter.

I had to clone growable-bloom-filters, change a couple of internal stuff, patch the SDK, but at least we have numbers!

Update: I've updated the comment to include 1_000_000 events, because the Deduplicator::APPROXIMATED_MAXIMUM_NUMBER_OF_EVENTS constant is set to 800_000. Just to see how it behaves.

.estimated_insertions(Self::APPROXIMATED_MAXIMUM_NUMBER_OF_EVENTS)
.desired_error_ratio(Self::DESIRED_FALSE_POSITIVE_RATE)
.build(),
),
}
}

/// Scan a collection of events and detect duplications.
///
/// This method takes a collection of events `new_events_to_scan` and
/// returns a new collection of events, where each event is decorated by
/// a [`Decoration`], so that the caller can decide what to do with
/// these events.
///
/// Each scanned event will update `Self`'s internal state.
///
/// `existing_events` represents all events of a room that already exist.
pub fn scan_and_learn<'a, I>(
&'a self,
new_events_to_scan: I,
existing_events: &'a RoomEvents,
) -> impl Iterator<Item = Decoration<I::Item>> + 'a
where
I: Iterator<Item = Event> + 'a,
{
// `new_scanned_events` is not a field of `Self` because it is used only detect
// duplicates in `new_events_to_scan`.
let mut new_scanned_events = BTreeSet::new();

new_events_to_scan.map(move |event| {
let Some(event_id) = event.event_id() else {
// The event has no `event_id`.
return Decoration::Invalid(event);
};

if self.bloom_filter.lock().unwrap().check_and_set(&event_id) {
Hywan marked this conversation as resolved.
Show resolved Hide resolved
// Oh oh, it looks like we have found a duplicate!
//
// However, bloom filters have false positives. We are NOT sure the event is NOT
// present. Even if the false positive rate is low, we need to
// iterate over all events to ensure it isn't present.

// First, let's ensure `event` is not a duplicate from `new_events_to_scan`,
// i.e. if the iterator itself contains duplicated events! We use a `BTreeSet`,
// otherwise using a bloom filter again may generate false positives.
if new_scanned_events.contains(&event_id) {
// The iterator contains a duplicated `event`.
return Decoration::Duplicated(event);
}

// Second, we can iterate over all events to ensure `event` is not present in
// `existing_events`.
let duplicated = existing_events.revents().any(|(_position, other_event)| {
other_event.event_id().as_ref() == Some(&event_id)
});

new_scanned_events.insert(event_id);

if duplicated {
Decoration::Duplicated(event)
} else {
Decoration::Unique(event)
}
} else {
new_scanned_events.insert(event_id);

// Bloom filter has no false negatives. We are sure the event is NOT present: we
// can keep it in the iterator.
Decoration::Unique(event)
}
})
}
}

/// Information about the scanned collection of events.
#[derive(Debug)]
pub enum Decoration<I> {
/// This event is not duplicated.
Unique(I),

/// This event is duplicated.
Duplicated(I),

/// This event is invalid (i.e. not well formed).
Invalid(I),
}

#[cfg(test)]
mod tests {
use assert_matches2::assert_let;
use matrix_sdk_base::deserialized_responses::SyncTimelineEvent;
use ruma::{owned_event_id, user_id, EventId};

use super::*;
use crate::test_utils::events::EventFactory;

fn sync_timeline_event(event_id: &EventId) -> SyncTimelineEvent {
EventFactory::new()
.text_msg("")
.sender(user_id!("@mnt_io:matrix.org"))
.event_id(event_id)
.into_sync()
}

#[test]
fn test_filter_no_duplicate() {
let event_id_0 = owned_event_id!("$ev0");
let event_id_1 = owned_event_id!("$ev1");
let event_id_2 = owned_event_id!("$ev2");

let event_0 = sync_timeline_event(&event_id_0);
let event_1 = sync_timeline_event(&event_id_1);
let event_2 = sync_timeline_event(&event_id_2);
Hywan marked this conversation as resolved.
Show resolved Hide resolved

let deduplicator = Deduplicator::new();
let existing_events = RoomEvents::new();

let mut events =
deduplicator.scan_and_learn([event_0, event_1, event_2].into_iter(), &existing_events);

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_0));

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_1));

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_2));

assert!(events.next().is_none());
}

#[test]
fn test_filter_duplicates_in_new_events() {
let event_id_0 = owned_event_id!("$ev0");
let event_id_1 = owned_event_id!("$ev1");

let event_0 = sync_timeline_event(&event_id_0);
let event_1 = sync_timeline_event(&event_id_1);

let deduplicator = Deduplicator::new();
let existing_events = RoomEvents::new();

let mut events = deduplicator.scan_and_learn(
[
event_0.clone(), // OK
event_0, // Not OK
event_1, // OK
]
.into_iter(),
&existing_events,
);

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_0.clone()));

assert_let!(Some(Decoration::Duplicated(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_0));

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_1));

assert!(events.next().is_none());
}

#[test]
fn test_filter_duplicates_with_existing_events() {
let event_id_0 = owned_event_id!("$ev0");
let event_id_1 = owned_event_id!("$ev1");
let event_id_2 = owned_event_id!("$ev2");

let event_0 = sync_timeline_event(&event_id_0);
let event_1 = sync_timeline_event(&event_id_1);
let event_2 = sync_timeline_event(&event_id_2);

let deduplicator = Deduplicator::new();
let mut existing_events = RoomEvents::new();

// Simulate `event_1` is inserted inside `existing_events`.
{
let mut events =
deduplicator.scan_and_learn([event_1.clone()].into_iter(), &existing_events);

assert_let!(Some(Decoration::Unique(event_1)) = events.next());
assert_eq!(event_1.event_id(), Some(event_id_1.clone()));

assert!(events.next().is_none());

drop(events); // make the borrow checker happy.

// Now we can push `event_1` inside `existing_events`.
existing_events.push_events([event_1]);
}

// `event_1` will be duplicated.
{
let mut events = deduplicator.scan_and_learn(
[
event_0, // OK
event_1, // Not OK
event_2, // Ok
]
.into_iter(),
&existing_events,
);

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_0));

assert_let!(Some(Decoration::Duplicated(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_1));

assert_let!(Some(Decoration::Unique(event)) = events.next());
assert_eq!(event.event_id(), Some(event_id_2));

assert!(events.next().is_none());
}
}
}
9 changes: 9 additions & 0 deletions crates/matrix-sdk/src/event_cache/linked_chunk/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -948,6 +948,15 @@ impl Position {
pub fn index(&self) -> usize {
self.1
}

/// Decrement the index part (see [`Self::index`]), i.e. subtract 1.
///
/// # Panic
///
/// This method will panic if it will underflow, i.e. if the index is 0.
pub(super) fn decrement_index(&mut self) {
self.1 = self.1.checked_sub(1).expect("Cannot decrement the index because it's already 0");
}
}

/// An iterator over a [`LinkedChunk`] that traverses the chunk in backward
Expand Down
1 change: 1 addition & 0 deletions crates/matrix-sdk/src/event_cache/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -53,6 +53,7 @@ use tracing::{error, info_span, instrument, trace, warn, Instrument as _, Span};
use self::paginator::PaginatorError;
use crate::{client::WeakClient, Client};

mod deduplicator;
mod linked_chunk;
mod pagination;
mod room;
Expand Down
Loading
Loading