veilid/veilid-core/src/connection_table.rs

119 lines
3.1 KiB
Rust
Raw Normal View History

2021-11-22 16:28:30 +00:00
use crate::intf::*;
use crate::xx::*;
use crate::*;
#[derive(Clone, Debug)]
pub struct ConnectionTableEntry {
pub conn: NetworkConnection,
pub established_time: u64,
pub last_message_sent_time: Option<u64>,
pub last_message_recv_time: Option<u64>,
pub stopper: Eventual,
}
impl PartialEq for ConnectionTableEntry {
fn eq(&self, other: &ConnectionTableEntry) -> bool {
if self.conn != other.conn {
return false;
}
if self.established_time != other.established_time {
return false;
}
if self.last_message_sent_time != other.last_message_sent_time {
return false;
}
if self.last_message_recv_time != other.last_message_recv_time {
return false;
}
2021-11-27 17:44:21 +00:00
true
2021-11-22 16:28:30 +00:00
}
}
#[derive(Debug)]
pub struct ConnectionTableInner {
conn_by_addr: BTreeMap<ConnectionDescriptor, ConnectionTableEntry>,
}
#[derive(Clone)]
pub struct ConnectionTable {
inner: Arc<Mutex<ConnectionTableInner>>,
}
impl core::fmt::Debug for ConnectionTable {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
f.debug_struct("ConnectionTable")
.field("inner", &*self.inner.lock())
.finish()
}
}
2021-11-27 17:44:21 +00:00
impl Default for ConnectionTable {
fn default() -> Self {
Self::new()
}
}
2021-11-22 16:28:30 +00:00
impl ConnectionTable {
pub fn new() -> Self {
Self {
inner: Arc::new(Mutex::new(ConnectionTableInner {
conn_by_addr: BTreeMap::new(),
})),
}
}
pub fn add_connection(
&self,
descriptor: ConnectionDescriptor,
conn: NetworkConnection,
) -> Result<ConnectionTableEntry, ()> {
assert_ne!(
descriptor.protocol_type(),
ProtocolType::UDP,
"Only connection oriented protocols go in the table!"
);
let mut inner = self.inner.lock();
if inner.conn_by_addr.contains_key(&descriptor) {
return Err(());
}
let timestamp = get_timestamp();
let entry = ConnectionTableEntry {
2021-11-27 17:44:21 +00:00
conn,
2021-11-22 16:28:30 +00:00
established_time: timestamp,
last_message_sent_time: None,
last_message_recv_time: None,
stopper: Eventual::new(),
};
let res = inner.conn_by_addr.insert(descriptor, entry.clone());
assert!(res.is_none());
Ok(entry)
}
pub fn get_connection(
&self,
descriptor: &ConnectionDescriptor,
) -> Option<ConnectionTableEntry> {
let inner = self.inner.lock();
2021-11-27 17:44:21 +00:00
inner.conn_by_addr.get(descriptor).cloned()
2021-11-22 16:28:30 +00:00
}
pub fn connection_count(&self) -> usize {
let inner = self.inner.lock();
inner.conn_by_addr.len()
}
pub fn remove_connection(
&self,
descriptor: &ConnectionDescriptor,
) -> Result<ConnectionTableEntry, ()> {
let mut inner = self.inner.lock();
2021-11-27 17:44:21 +00:00
let res = inner.conn_by_addr.remove(descriptor);
2021-11-22 16:28:30 +00:00
match res {
Some(v) => Ok(v.clone()),
None => Err(()),
}
}
}