iroh_quinn_proto/
shared.rs

1use std::{fmt, net::SocketAddr};
2
3use bytes::{Buf, BufMut, BytesMut};
4
5use crate::FourTuple;
6use crate::PathId;
7use crate::{Duration, Instant, MAX_CID_SIZE, ResetToken, coding::BufExt, packet::PartialDecode};
8
9/// Events sent from an Endpoint to a Connection
10#[derive(Debug)]
11pub struct ConnectionEvent(pub(crate) ConnectionEventInner);
12
13#[derive(Debug)]
14pub(crate) enum ConnectionEventInner {
15    /// A datagram has been received for the Connection
16    Datagram(DatagramConnectionEvent),
17    /// New connection identifiers have been issued for the Connection
18    NewIdentifiers(Vec<IssuedCid>, Instant, usize, Option<Duration>),
19}
20
21/// Variant of [`ConnectionEventInner`].
22#[derive(Debug)]
23pub(crate) struct DatagramConnectionEvent {
24    pub(crate) now: Instant,
25    pub(crate) network_path: FourTuple,
26    pub(crate) path_id: PathId,
27    pub(crate) ecn: Option<EcnCodepoint>,
28    pub(crate) first_decode: PartialDecode,
29    pub(crate) remaining: Option<BytesMut>,
30}
31
32/// Events sent from a Connection to an Endpoint
33#[derive(Debug)]
34pub struct EndpointEvent(pub(crate) EndpointEventInner);
35
36impl EndpointEvent {
37    /// Construct an event that indicating that a `Connection` will no longer emit events
38    ///
39    /// Useful for notifying an `Endpoint` that a `Connection` has been destroyed outside of the
40    /// usual state machine flow, e.g. when being dropped by the user.
41    pub fn drained() -> Self {
42        Self(EndpointEventInner::Drained)
43    }
44
45    /// Determine whether this is the last event a `Connection` will emit
46    ///
47    /// Useful for determining when connection-related event loop state can be freed.
48    pub fn is_drained(&self) -> bool {
49        self.0 == EndpointEventInner::Drained
50    }
51}
52
53#[derive(Clone, Debug, Eq, PartialEq)]
54pub(crate) enum EndpointEventInner {
55    /// The connection has been drained
56    Drained,
57    /// The connection has a new active reset token
58    ///
59    /// Whenever the connection switches to a new remote CID issued by the peer, it also
60    /// switches the matching reset token that can be used to abort this connection. This
61    /// event provides a new reset token for the active remote CID.
62    ResetToken(PathId, SocketAddr, ResetToken),
63    /// Retire the remotely issued reset token for a path, without replacing it with a new one
64    ///
65    /// This is like `ResetToken` above, but without replacing the `ResetToken` with a new
66    /// one. See `ConnectionIndex::connection_reset_tokens`.
67    RetireResetToken(PathId),
68    /// The connection needs connection identifiers
69    NeedIdentifiers(PathId, Instant, u64),
70    /// Retire a locally issued CID
71    ///
72    /// Stop routing connection ID for this sequence number to the connection
73    /// When `bool == true`, a new connection ID will be issued to peer
74    RetireConnectionId(Instant, PathId, u64, bool),
75}
76
77/// Protocol-level identifier for a connection.
78///
79/// Mainly useful for identifying this connection's packets on the wire with tools like Wireshark.
80#[derive(Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Hash)]
81pub struct ConnectionId {
82    /// length of CID
83    len: u8,
84    /// CID in byte array
85    bytes: [u8; MAX_CID_SIZE],
86}
87
88impl ConnectionId {
89    /// Construct cid from byte array
90    pub fn new(bytes: &[u8]) -> Self {
91        debug_assert!(bytes.len() <= MAX_CID_SIZE);
92        let mut res = Self {
93            len: bytes.len() as u8,
94            bytes: [0; MAX_CID_SIZE],
95        };
96        res.bytes[..bytes.len()].copy_from_slice(bytes);
97        res
98    }
99
100    /// Constructs cid by reading `len` bytes from a `Buf`
101    ///
102    /// Callers need to assure that `buf.remaining() >= len`
103    pub fn from_buf(buf: &mut (impl Buf + ?Sized), len: usize) -> Self {
104        debug_assert!(len <= MAX_CID_SIZE);
105        let mut res = Self {
106            len: len as u8,
107            bytes: [0; MAX_CID_SIZE],
108        };
109        buf.copy_to_slice(&mut res[..len]);
110        res
111    }
112
113    pub(crate) fn len(&self) -> usize {
114        self.len as usize
115    }
116
117    /// Decode from long header format
118    pub(crate) fn decode_long(buf: &mut impl Buf) -> Option<Self> {
119        let len = buf.get::<u8>().ok()? as usize;
120        match len > MAX_CID_SIZE || buf.remaining() < len {
121            false => Some(Self::from_buf(buf, len)),
122            true => None,
123        }
124    }
125
126    /// Encode in long header format
127    pub(crate) fn encode_long(&self, buf: &mut impl BufMut) {
128        buf.put_u8(self.len() as u8);
129        buf.put_slice(self);
130    }
131}
132
133impl ::std::ops::Deref for ConnectionId {
134    type Target = [u8];
135    fn deref(&self) -> &[u8] {
136        &self.bytes[0..self.len as usize]
137    }
138}
139
140impl ::std::ops::DerefMut for ConnectionId {
141    fn deref_mut(&mut self) -> &mut [u8] {
142        &mut self.bytes[0..self.len as usize]
143    }
144}
145
146impl fmt::Debug for ConnectionId {
147    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
148        self.bytes[0..self.len as usize].fmt(f)
149    }
150}
151
152impl fmt::Display for ConnectionId {
153    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
154        for byte in self.iter() {
155            write!(f, "{byte:02x}")?;
156        }
157        Ok(())
158    }
159}
160
161/// Explicit congestion notification codepoint
162#[repr(u8)]
163#[derive(Debug, Copy, Clone, Eq, PartialEq)]
164pub enum EcnCodepoint {
165    /// The ECT(0) codepoint, indicating that an endpoint is ECN-capable
166    Ect0 = 0b10,
167    /// The ECT(1) codepoint, indicating that an endpoint is ECN-capable
168    Ect1 = 0b01,
169    /// The CE codepoint, signalling that congestion was experienced
170    Ce = 0b11,
171}
172
173impl EcnCodepoint {
174    /// Create new object from the given bits
175    pub fn from_bits(x: u8) -> Option<Self> {
176        use EcnCodepoint::*;
177        Some(match x & 0b11 {
178            0b10 => Ect0,
179            0b01 => Ect1,
180            0b11 => Ce,
181            _ => {
182                return None;
183            }
184        })
185    }
186
187    /// Returns whether the codepoint is a CE, signalling that congestion was experienced
188    pub fn is_ce(self) -> bool {
189        matches!(self, Self::Ce)
190    }
191}
192
193#[derive(Debug, Copy, Clone)]
194pub(crate) struct IssuedCid {
195    pub(crate) path_id: PathId,
196    pub(crate) sequence: u64,
197    pub(crate) id: ConnectionId,
198    pub(crate) reset_token: ResetToken,
199}