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

chore(net): get and peek for LruCache #8508

Merged
merged 7 commits into from
Jun 5, 2024
Merged
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
126 changes: 109 additions & 17 deletions crates/net/network/src/cache.rs
Original file line number Diff line number Diff line change
Expand Up @@ -7,7 +7,7 @@ use itertools::Itertools;
use schnellru::{ByLength, Limiter, RandomState, Unlimited};
use std::{fmt, hash::Hash};

/// A minimal LRU cache based on a `LinkedHashSet` with limited capacity.
/// A minimal LRU cache based on a [`LruMap`](schnellru::LruMap) with limited capacity.
///
/// If the length exceeds the set capacity, the oldest element will be removed
/// In the limit, for each element inserted the oldest existing element will be removed.
Expand All @@ -26,7 +26,7 @@ impl<T: Hash + Eq + fmt::Debug> LruCache<T> {

/// Insert an element into the set.
///
/// If the element is new (did not exist before [`LruCache::insert()`]) was called, then the
/// If the element is new (did not exist before [`insert`](Self::insert)) was called, then the
/// given length will be enforced and the oldest element will be removed if the limit was
/// exceeded.
///
Expand All @@ -37,8 +37,8 @@ impl<T: Hash + Eq + fmt::Debug> LruCache<T> {
new_entry
}

/// Same as [`Self::insert`] but returns a tuple, where the second index is the evicted value,
/// if one was evicted.
/// Same as [`insert`](Self::insert) but returns a tuple, where the second index is the evicted
/// value, if one was evicted.
pub fn insert_and_get_evicted(&mut self, entry: T) -> (bool, Option<T>) {
let new = self.inner.peek(&entry).is_none();
let evicted =
Expand All @@ -48,13 +48,29 @@ impl<T: Hash + Eq + fmt::Debug> LruCache<T> {
(new, evicted)
}

/// Gets the given element, if exists, and promotes to lru.
pub fn get(&mut self, entry: &T) -> Option<&T> {
let _ = self.inner.get(entry)?;
self.iter().next()
Comment on lines +53 to +54
Copy link
Collaborator

Choose a reason for hiding this comment

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

this is the same as:

Suggested change
let _ = self.inner.get(entry)?;
self.iter().next()
let _ = self.inner.get(entry)?;
Some(entry)

?

Copy link
Member Author

Choose a reason for hiding this comment

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

not if the types have a custom PartialEq impl, consider type

struct MyType {
    id: i32,
    colour: i32,
}

impl PartialEq for MyType {
    fn eq(&self, other: &Self) -> bool {
        self.id == other.id
    }
}

impl Hash ..

then we can have two instances with different colour, that will both have the same key

let green = MyType { id: 1, colour: 32 };
let blue = MyType { id: 1, colour: 34 };

let mut cache = LruCache::new();
cache.insert(green);
let _ = cache.get(&blue); // this will exist, but it will actually be green that is in the map

this extension to LruCache just makes it safe to use in the codebase kind of, cause we have a couple of types that impl custom PartialEq on a subset of fields. using a HashMap for these types makes way more sense though.

}

/// Iterates through entries and returns a reference to the given entry, if exists, without
/// promoting to lru.
///
/// NOTE: Use this for type that have custom impl of [`PartialEq`] and [`Eq`], that aren't
/// unique by all fields. If `PartialEq` and `Eq` are derived for a type, it's more efficient to
/// call [`contains`](Self::contains).
pub fn find(&self, entry: &T) -> Option<&T> {
self.iter().find(|key| *key == entry)
}

/// Remove the least recently used entry and return it.
///
/// If the `LruCache` is empty or if the eviction feedback is
/// configured, this will return None.
#[inline]
fn remove_lru(&mut self) -> Option<T> {
self.inner.pop_oldest().map(|(k, _v)| k)
self.inner.pop_oldest().map(|(k, ())| k)
}

/// Expels the given value. Returns true if the value existed.
Expand All @@ -69,7 +85,7 @@ impl<T: Hash + Eq + fmt::Debug> LruCache<T> {

/// Returns an iterator over all cached entries in lru order
pub fn iter(&self) -> impl Iterator<Item = &T> + '_ {
self.inner.iter().map(|(k, _v)| k)
self.inner.iter().map(|(k, ())| k)
}

/// Returns number of elements currently in cache.
Expand Down Expand Up @@ -106,7 +122,7 @@ where
debug_struct.field("limit", &self.limit);

debug_struct.field(
"res_fn_iter",
"ret %iter",
&format_args!("Iter: {{{} }}", self.iter().map(|k| format!(" {k:?}")).format(",")),
);

Expand Down Expand Up @@ -135,7 +151,7 @@ where
debug_struct.field("limiter", self.limiter());

debug_struct.field(
"res_fn_iter",
"ret %iter",
&format_args!(
"Iter: {{{} }}",
self.iter().map(|(k, v)| format!(" {k}: {v:?}")).format(",")
Expand Down Expand Up @@ -169,6 +185,30 @@ where
#[cfg(test)]
mod test {
use super::*;
use derive_more::{Constructor, Display};
use std::hash::Hasher;

#[derive(Debug, Hash, PartialEq, Eq, Display, Clone, Copy)]
struct Key(i8);

#[derive(Debug, Eq, Constructor, Clone, Copy)]
struct CompoundKey {
// type unique for id
id: i8,
other: i8,
}

impl PartialEq for CompoundKey {
fn eq(&self, other: &Self) -> bool {
self.id == other.id
}
}

impl Hash for CompoundKey {
fn hash<H: Hasher>(&self, state: &mut H) {
self.id.hash(state)
}
}

#[test]
fn test_cache_should_insert_into_empty_set() {
Expand Down Expand Up @@ -211,11 +251,6 @@ mod test {
#[test]
#[allow(dead_code)]
fn test_debug_impl_lru_map() {
use derive_more::Display;

#[derive(Debug, Hash, PartialEq, Eq, Display)]
struct Key(i8);

#[derive(Debug)]
struct Value(i8);

Expand All @@ -227,24 +262,81 @@ mod test {
let value_2 = Value(22);
cache.insert(key_2, value_2);

assert_eq!("LruMap { limiter: ByLength { max_length: 2 }, res_fn_iter: Iter: { 2: Value(22), 1: Value(11) } }", format!("{cache:?}"))
assert_eq!("LruMap { limiter: ByLength { max_length: 2 }, ret %iter: Iter: { 2: Value(22), 1: Value(11) } }", format!("{cache:?}"))
}

#[test]
#[allow(dead_code)]
fn test_debug_impl_lru_cache() {
#[derive(Debug, Hash, PartialEq, Eq)]
struct Key(i8);
let mut cache = LruCache::new(2);
let key_1 = Key(1);
cache.insert(key_1);
let key_2 = Key(2);
cache.insert(key_2);

assert_eq!(
"LruCache { limit: 2, ret %iter: Iter: { Key(2), Key(1) } }",
format!("{cache:?}")
)
}

#[test]
fn get() {
let mut cache = LruCache::new(2);
let key_1 = Key(1);
cache.insert(key_1);
let key_2 = Key(2);
cache.insert(key_2);

// promotes key 1 to lru
_ = cache.get(&key_1);

assert_eq!(
"LruCache { limit: 2, res_fn_iter: Iter: { Key(2), Key(1) } }",
"LruCache { limit: 2, ret %iter: Iter: { Key(1), Key(2) } }",
format!("{cache:?}")
)
}

#[test]
fn get_ty_custom_eq_impl() {
let mut cache = LruCache::new(2);
let key_1 = CompoundKey::new(1, 11);
cache.insert(key_1);
let key_2 = CompoundKey::new(2, 22);
cache.insert(key_2);

let key = cache.get(&key_1);

assert_eq!(key_1.other, key.unwrap().other)
}

#[test]
fn peek() {
let mut cache = LruCache::new(2);
let key_1 = Key(1);
cache.insert(key_1);
let key_2 = Key(2);
cache.insert(key_2);

// doesn't promote key 1 to lru
_ = cache.find(&key_1);

assert_eq!(
"LruCache { limit: 2, ret %iter: Iter: { Key(2), Key(1) } }",
format!("{cache:?}")
)
}

#[test]
fn peek_ty_custom_eq_impl() {
let mut cache = LruCache::new(2);
let key_1 = CompoundKey::new(1, 11);
cache.insert(key_1);
let key_2 = CompoundKey::new(2, 22);
cache.insert(key_2);

let key = cache.find(&key_1);

assert_eq!(key_1.other, key.unwrap().other)
}
}
Loading