-
Notifications
You must be signed in to change notification settings - Fork 10
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
address_store: Improve address tracking and add eviction algorithm #250
Changes from 12 commits
59dbbf8
ae7799a
ac5d731
a2356ec
5355e85
ecb436b
bf066d1
b052c5d
da52056
6c7f399
5b88ea4
c97ffaa
126f93d
3583ea3
7cddf2e
0e707b6
ba3757a
db095f4
815d543
d98b9b6
42ce6cc
97fd413
4ec27d2
a6af7b3
3d52019
2bd8621
8be6a1e
23c33dc
c779ded
f2c5e8f
f124b79
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -18,12 +18,37 @@ | |
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER | ||
// DEALINGS IN THE SOFTWARE. | ||
|
||
use crate::{types::ConnectionId, PeerId}; | ||
use crate::{ | ||
error::{DialError, NegotiationError}, | ||
types::ConnectionId, | ||
PeerId, | ||
}; | ||
|
||
use multiaddr::{Multiaddr, Protocol}; | ||
use multihash::Multihash; | ||
|
||
use std::collections::{BinaryHeap, HashSet}; | ||
use std::collections::{hash_map::Entry, HashMap}; | ||
|
||
/// Maximum number of addresses tracked for a peer. | ||
const MAX_ADDRESSES: usize = 64; | ||
|
||
/// Scores for address records. | ||
pub mod scores { | ||
/// Score indicating that the connection was successfully established. | ||
pub const CONNECTION_ESTABLISHED: i32 = 100i32; | ||
|
||
/// Score for a connection with a peer using a different ID than expected. | ||
pub const DIFFERENT_PEER_ID: i32 = 50i32; | ||
|
||
/// Score for failing to connect due to an invalid or unreachable address. | ||
pub const CONNECTION_FAILURE: i32 = -100i32; | ||
|
||
/// Score for a connection attempt that failed due to a timeout. | ||
pub const TIMEOUT_FAILURE: i32 = -50i32; | ||
} | ||
|
||
/// Remove the address from the store if the score is below this threshold. | ||
const REMOVE_THRESHOLD: i32 = scores::CONNECTION_FAILURE * 2; | ||
lexnv marked this conversation as resolved.
Show resolved
Hide resolved
|
||
|
||
#[allow(clippy::derived_hash_with_manual_eq)] | ||
#[derive(Debug, Clone, Hash)] | ||
|
@@ -134,11 +159,10 @@ impl Ord for AddressRecord { | |
/// Store for peer addresses. | ||
#[derive(Debug)] | ||
pub struct AddressStore { | ||
//// Addresses sorted by score. | ||
pub by_score: BinaryHeap<AddressRecord>, | ||
|
||
/// Addresses queryable by hashing them for faster lookup. | ||
pub by_address: HashSet<Multiaddr>, | ||
/// Addresses available. | ||
pub addresses: HashMap<Multiaddr, AddressRecord>, | ||
/// Maximum capacity of the address store. | ||
max_capacity: usize, | ||
} | ||
|
||
impl FromIterator<Multiaddr> for AddressStore { | ||
|
@@ -158,8 +182,7 @@ impl FromIterator<AddressRecord> for AddressStore { | |
fn from_iter<T: IntoIterator<Item = AddressRecord>>(iter: T) -> Self { | ||
let mut store = AddressStore::new(); | ||
for record in iter { | ||
store.by_address.insert(record.address.clone()); | ||
store.by_score.push(record); | ||
store.insert(record); | ||
} | ||
|
||
store | ||
|
@@ -186,52 +209,84 @@ impl AddressStore { | |
/// Create new [`AddressStore`]. | ||
pub fn new() -> Self { | ||
Self { | ||
by_score: BinaryHeap::new(), | ||
by_address: HashSet::new(), | ||
addresses: HashMap::with_capacity(MAX_ADDRESSES), | ||
max_capacity: MAX_ADDRESSES, | ||
} | ||
} | ||
|
||
/// Check if [`AddressStore`] is empty. | ||
pub fn is_empty(&self) -> bool { | ||
self.by_score.is_empty() | ||
/// Get the score for a given error. | ||
pub fn error_score(error: &DialError) -> i32 { | ||
match error { | ||
DialError::Timeout => scores::CONNECTION_ESTABLISHED, | ||
lexnv marked this conversation as resolved.
Show resolved
Hide resolved
|
||
DialError::AddressError(_) => scores::CONNECTION_FAILURE, | ||
lexnv marked this conversation as resolved.
Show resolved
Hide resolved
|
||
DialError::DnsError(_) => scores::CONNECTION_FAILURE, | ||
lexnv marked this conversation as resolved.
Show resolved
Hide resolved
|
||
DialError::NegotiationError(negotiation_error) => match negotiation_error { | ||
NegotiationError::PeerIdMismatch(_, _) => scores::DIFFERENT_PEER_ID, | ||
// Timeout during the negotiation phase. | ||
NegotiationError::Timeout => scores::TIMEOUT_FAILURE, | ||
// Treat other errors as connection failures. | ||
_ => scores::CONNECTION_FAILURE, | ||
}, | ||
} | ||
} | ||
|
||
/// Check if address is already in the a | ||
pub fn contains(&self, address: &Multiaddr) -> bool { | ||
self.by_address.contains(address) | ||
/// Check if [`AddressStore`] is empty. | ||
pub fn is_empty(&self) -> bool { | ||
self.addresses.is_empty() | ||
} | ||
|
||
/// Insert new address record into [`AddressStore`] with default address score. | ||
pub fn insert(&mut self, mut record: AddressRecord) { | ||
if self.by_address.contains(record.address()) { | ||
/// Insert the address record into [`AddressStore`] with the provided score. | ||
/// | ||
/// If the address is not in the store, it will be inserted. | ||
/// Otherwise, the score and connection ID will be updated. | ||
pub fn insert(&mut self, record: AddressRecord) { | ||
let num_addresses = self.addresses.len(); | ||
|
||
if let Entry::Occupied(mut occupied) = self.addresses.entry(record.address.clone()) { | ||
occupied.get_mut().update_score(record.score); | ||
if occupied.get().score <= REMOVE_THRESHOLD { | ||
occupied.remove(); | ||
} | ||
return; | ||
} | ||
|
||
record.connection_id = None; | ||
self.by_address.insert(record.address.clone()); | ||
self.by_score.push(record); | ||
} | ||
|
||
/// Pop address with the highest score from [`AddressStore`]. | ||
pub fn pop(&mut self) -> Option<AddressRecord> { | ||
self.by_score.pop().map(|record| { | ||
self.by_address.remove(&record.address); | ||
record | ||
}) | ||
} | ||
|
||
/// Take at most `limit` `AddressRecord`s from [`AddressStore`]. | ||
pub fn take(&mut self, limit: usize) -> Vec<AddressRecord> { | ||
let mut records = Vec::new(); | ||
// The eviction algorithm favours addresses with higher scores. | ||
// | ||
// This algorithm has the following implications: | ||
// - it keeps the best addresses in the store. | ||
// - if the store is at capacity, the worst address will be evicted. | ||
// - an address that is not dialed yet (with score zero) will be preferred over an address | ||
// that already failed (with negative score). | ||
if num_addresses >= self.max_capacity { | ||
// No need to keep track of negative addresses if we are at capacity. | ||
if record.score < 0 { | ||
return; | ||
} | ||
lexnv marked this conversation as resolved.
Show resolved
Hide resolved
|
||
|
||
for _ in 0..limit { | ||
match self.pop() { | ||
Some(record) => records.push(record), | ||
None => break, | ||
let Some(min_record) = self.addresses.values().min().cloned() else { | ||
return; | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Won't we lose the address due to returning if the There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. The There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Have removed the There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Is there a chance of getting |
||
}; | ||
// The lowest score is better than the new record. | ||
if record.score < min_record.score { | ||
return; | ||
} | ||
self.addresses.remove(min_record.address()); | ||
} | ||
|
||
records | ||
// There's no need to keep track of this address if the score is below the threshold. | ||
if record.score <= REMOVE_THRESHOLD { | ||
return; | ||
} | ||
|
||
// Insert the record. | ||
self.addresses.insert(record.address.clone(), record); | ||
} | ||
|
||
/// Return the available addresses sorted by score. | ||
pub fn addresses(&self, limit: usize) -> Vec<Multiaddr> { | ||
let mut records = self.addresses.values().cloned().collect::<Vec<_>>(); | ||
records.sort_by(|lhs, rhs| rhs.score.cmp(&lhs.score)); | ||
records.into_iter().take(limit).map(|record| record.address).collect() | ||
Comment on lines
+259
to
+262
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. What I actually liked in the original implementation, is that popping and putting elements in a binary heap is super fast. Unfortunately, that required taking the address out before the dial attempt and putting it back after. Ideally, we would use something like Mostly thinking out loud. We can keep this for a follow-up. |
||
} | ||
} | ||
|
||
|
@@ -256,7 +311,7 @@ mod tests { | |
), | ||
rng.gen_range(1..=65535), | ||
)); | ||
let score: i32 = rng.gen(); | ||
let score: i32 = rng.gen_range(10..=200); | ||
|
||
AddressRecord::new( | ||
&peer, | ||
|
@@ -279,7 +334,7 @@ mod tests { | |
), | ||
rng.gen_range(1..=65535), | ||
)); | ||
let score: i32 = rng.gen(); | ||
let score: i32 = rng.gen_range(10..=200); | ||
|
||
AddressRecord::new( | ||
&peer, | ||
|
@@ -303,7 +358,7 @@ mod tests { | |
), | ||
rng.gen_range(1..=65535), | ||
)); | ||
let score: i32 = rng.gen(); | ||
let score: i32 = rng.gen_range(10..=200); | ||
|
||
AddressRecord::new( | ||
&peer, | ||
|
@@ -331,19 +386,22 @@ mod tests { | |
store.insert(quic_address_record(&mut rng)); | ||
} | ||
|
||
let known_addresses = store.by_address.len(); | ||
let known_addresses = store.addresses.len(); | ||
assert!(known_addresses >= 3); | ||
|
||
let taken = store.take(known_addresses - 2); | ||
let taken = store.addresses(known_addresses - 2); | ||
assert_eq!(known_addresses - 2, taken.len()); | ||
assert!(!store.is_empty()); | ||
|
||
let mut prev: Option<AddressRecord> = None; | ||
for record in taken { | ||
assert!(!store.contains(record.address())); | ||
for address in taken { | ||
// Addresses are still in the store. | ||
assert!(store.addresses.contains_key(&address)); | ||
|
||
let record = store.addresses.get(&address).unwrap().clone(); | ||
|
||
if let Some(previous) = prev { | ||
assert!(previous.score > record.score); | ||
assert!(previous.score >= record.score); | ||
} | ||
|
||
prev = Some(record); | ||
|
@@ -359,18 +417,19 @@ mod tests { | |
store.insert(ws_address_record(&mut rng)); | ||
store.insert(quic_address_record(&mut rng)); | ||
|
||
assert_eq!(store.by_address.len(), 3); | ||
assert_eq!(store.addresses.len(), 3); | ||
|
||
let taken = store.take(8usize); | ||
let taken = store.addresses(8usize); | ||
assert_eq!(taken.len(), 3); | ||
assert!(store.is_empty()); | ||
|
||
let mut prev: Option<AddressRecord> = None; | ||
for record in taken { | ||
let record = store.addresses.get(&record).unwrap().clone(); | ||
|
||
if prev.is_none() { | ||
prev = Some(record); | ||
} else { | ||
assert!(prev.unwrap().score > record.score); | ||
assert!(prev.unwrap().score >= record.score); | ||
prev = Some(record); | ||
} | ||
} | ||
|
@@ -401,10 +460,9 @@ mod tests { | |
.collect::<HashMap<_, _>>(); | ||
store.extend(records); | ||
|
||
for record in store.by_score { | ||
for record in store.addresses.values().cloned() { | ||
let stored = cloned.get(record.address()).unwrap(); | ||
assert_eq!(stored.score(), record.score()); | ||
assert_eq!(stored.connection_id(), record.connection_id()); | ||
assert_eq!(stored.address(), record.address()); | ||
} | ||
} | ||
|
@@ -433,11 +491,83 @@ mod tests { | |
let cloned = records.iter().cloned().collect::<HashMap<_, _>>(); | ||
store.extend(records.iter().map(|(_, record)| record)); | ||
|
||
for record in store.by_score { | ||
for record in store.addresses.values().cloned() { | ||
let stored = cloned.get(record.address()).unwrap(); | ||
assert_eq!(stored.score(), record.score()); | ||
assert_eq!(stored.connection_id(), record.connection_id()); | ||
assert_eq!(stored.address(), record.address()); | ||
} | ||
} | ||
|
||
#[test] | ||
fn insert_record() { | ||
let mut store = AddressStore::new(); | ||
let mut rng = rand::thread_rng(); | ||
|
||
let mut record = tcp_address_record(&mut rng); | ||
record.score = 10; | ||
|
||
store.insert(record.clone()); | ||
|
||
assert_eq!(store.addresses.len(), 1); | ||
assert_eq!(store.addresses.get(record.address()).unwrap(), &record); | ||
|
||
// This time the record is updated. | ||
store.insert(record.clone()); | ||
|
||
assert_eq!(store.addresses.len(), 1); | ||
let store_record = store.addresses.get(record.address()).unwrap(); | ||
assert_eq!(store_record.score, record.score * 2); | ||
} | ||
|
||
#[test] | ||
fn evict_below_threshold() { | ||
let mut store = AddressStore::new(); | ||
let mut rng = rand::thread_rng(); | ||
|
||
let mut record = tcp_address_record(&mut rng); | ||
record.score = scores::CONNECTION_FAILURE; | ||
store.insert(record.clone()); | ||
|
||
assert_eq!(store.addresses.len(), 1); | ||
|
||
store.insert(record.clone()); | ||
|
||
assert_eq!(store.addresses.len(), 0); | ||
} | ||
|
||
#[test] | ||
fn evict_on_capacity() { | ||
let mut store = AddressStore { | ||
addresses: HashMap::new(), | ||
max_capacity: 2, | ||
}; | ||
|
||
let mut rng = rand::thread_rng(); | ||
let mut first_record = tcp_address_record(&mut rng); | ||
first_record.score = scores::CONNECTION_ESTABLISHED; | ||
let mut second_record = ws_address_record(&mut rng); | ||
second_record.score = 0; | ||
|
||
store.insert(first_record.clone()); | ||
store.insert(second_record.clone()); | ||
|
||
assert_eq!(store.addresses.len(), 2); | ||
|
||
// We have better addresses, ignore this one. | ||
let mut third_record = quic_address_record(&mut rng); | ||
third_record.score = scores::CONNECTION_FAILURE; | ||
store.insert(third_record.clone()); | ||
assert_eq!(store.addresses.len(), 2); | ||
assert!(store.addresses.contains_key(first_record.address())); | ||
assert!(store.addresses.contains_key(second_record.address())); | ||
|
||
// Evict the address with the lowest score. | ||
let mut fourth_record = quic_address_record(&mut rng); | ||
fourth_record.score = scores::DIFFERENT_PEER_ID; | ||
store.insert(fourth_record.clone()); | ||
|
||
assert_eq!(store.addresses.len(), 2); | ||
assert!(store.addresses.contains_key(first_record.address())); | ||
assert!(store.addresses.contains_key(fourth_record.address())); | ||
} | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Realistically we can't establish a connection to this peer, so I would make the score the same as
CONNECTION_FAILURE
.There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yep makes sense! Have simplified the code kept around 1 connection failure and 1 address failure which punishes more, thanks for the suggestion! 🙏