1use std::collections::BTreeMap;
28use std::collections::VecDeque;
29
30use std::net::SocketAddr;
31
32use std::time::Duration;
33use std::time::Instant;
34
35use smallvec::SmallVec;
36
37use slab::Slab;
38
39use crate::Config;
40use crate::Error;
41use crate::Result;
42use crate::StartupExit;
43
44use crate::pmtud;
45use crate::recovery;
46use crate::recovery::Bandwidth;
47use crate::recovery::HandshakeStatus;
48use crate::recovery::OnLossDetectionTimeoutOutcome;
49use crate::recovery::RecoveryOps;
50
51#[derive(Debug, Copy, Clone, PartialEq, Eq, PartialOrd, Ord)]
53pub enum PathState {
54 Failed,
56
57 Unknown,
59
60 Validating,
62
63 ValidatingMTU,
65
66 Validated,
68}
69
70impl PathState {
71 #[cfg(feature = "ffi")]
72 pub fn to_c(self) -> libc::ssize_t {
73 match self {
74 PathState::Failed => -1,
75 PathState::Unknown => 0,
76 PathState::Validating => 1,
77 PathState::ValidatingMTU => 2,
78 PathState::Validated => 3,
79 }
80 }
81}
82
83#[derive(Clone, Debug, PartialEq, Eq)]
85pub enum PathEvent {
86 New(SocketAddr, SocketAddr),
91
92 Validated(SocketAddr, SocketAddr),
95
96 FailedValidation(SocketAddr, SocketAddr),
100
101 Closed(SocketAddr, SocketAddr),
104
105 ReusedSourceConnectionId(
109 u64,
110 (SocketAddr, SocketAddr),
111 (SocketAddr, SocketAddr),
112 ),
113
114 PeerMigrated(SocketAddr, SocketAddr),
120}
121
122#[derive(Debug)]
124pub struct Path {
125 local_addr: SocketAddr,
127
128 peer_addr: SocketAddr,
130
131 pub active_scid_seq: Option<u64>,
133
134 pub active_dcid_seq: Option<u64>,
136
137 state: PathState,
139
140 active: bool,
142
143 pub recovery: recovery::Recovery,
145
146 pub pmtud: Option<pmtud::Pmtud>,
148
149 in_flight_challenges: VecDeque<([u8; 8], usize, Instant)>,
152
153 max_challenge_size: usize,
155
156 probing_lost: usize,
158
159 last_probe_lost_time: Option<Instant>,
161
162 received_challenges: VecDeque<[u8; 8]>,
164
165 received_challenges_max_len: usize,
167
168 pub sent_count: usize,
170
171 pub recv_count: usize,
173
174 pub retrans_count: usize,
176
177 pub total_pto_count: usize,
184
185 pub dgram_sent_count: usize,
187
188 pub dgram_lost_count: usize,
190
191 pub dgram_recv_count: usize,
193
194 pub sent_bytes: u64,
196
197 pub recv_bytes: u64,
199
200 pub stream_retrans_bytes: u64,
203
204 pub max_send_bytes: usize,
207
208 pub verified_peer_address: bool,
210
211 pub peer_verified_local_address: bool,
213
214 challenge_requested: bool,
216
217 failure_notified: bool,
219
220 migrating: bool,
223
224 pub needs_ack_eliciting: bool,
226}
227
228impl Path {
229 pub fn new(
232 local_addr: SocketAddr, peer_addr: SocketAddr,
233 recovery_config: &recovery::RecoveryConfig,
234 path_challenge_recv_max_queue_len: usize, is_initial: bool,
235 config: Option<&Config>,
236 ) -> Self {
237 let (state, active_scid_seq, active_dcid_seq) = if is_initial {
238 (PathState::Validated, Some(0), Some(0))
239 } else {
240 (PathState::Unknown, None, None)
241 };
242
243 let pmtud = config.and_then(|c| {
244 if c.pmtud {
245 let maximum_supported_mtu: usize = std::cmp::min(
246 c.local_transport_params
249 .max_udp_payload_size
250 .try_into()
251 .unwrap_or(c.max_send_udp_payload_size),
252 c.max_send_udp_payload_size,
253 );
254 Some(pmtud::Pmtud::new(maximum_supported_mtu, c.pmtud_max_probes))
255 } else {
256 None
257 }
258 });
259
260 Self {
261 local_addr,
262 peer_addr,
263 active_scid_seq,
264 active_dcid_seq,
265 state,
266 active: false,
267 recovery: recovery::Recovery::new_with_config(recovery_config),
268 pmtud,
269 in_flight_challenges: VecDeque::new(),
270 max_challenge_size: 0,
271 probing_lost: 0,
272 last_probe_lost_time: None,
273 received_challenges: VecDeque::with_capacity(
274 path_challenge_recv_max_queue_len,
275 ),
276 received_challenges_max_len: path_challenge_recv_max_queue_len,
277 sent_count: 0,
278 recv_count: 0,
279 retrans_count: 0,
280 total_pto_count: 0,
281 dgram_sent_count: 0,
282 dgram_lost_count: 0,
283 dgram_recv_count: 0,
284 sent_bytes: 0,
285 recv_bytes: 0,
286 stream_retrans_bytes: 0,
287 max_send_bytes: 0,
288 verified_peer_address: false,
289 peer_verified_local_address: false,
290 challenge_requested: false,
291 failure_notified: false,
292 migrating: false,
293 needs_ack_eliciting: false,
294 }
295 }
296
297 #[inline]
299 pub fn local_addr(&self) -> SocketAddr {
300 self.local_addr
301 }
302
303 #[inline]
305 pub fn peer_addr(&self) -> SocketAddr {
306 self.peer_addr
307 }
308
309 #[inline]
311 fn working(&self) -> bool {
312 self.state > PathState::Failed
313 }
314
315 #[inline]
317 pub fn active(&self) -> bool {
318 self.active && self.working() && self.active_dcid_seq.is_some()
319 }
320
321 #[inline]
323 pub fn usable(&self) -> bool {
324 self.active() ||
325 (self.state == PathState::Validated &&
326 self.active_dcid_seq.is_some())
327 }
328
329 #[inline]
331 fn unused(&self) -> bool {
332 !self.active() && self.active_dcid_seq.is_none()
334 }
335
336 #[inline]
338 pub fn probing_required(&self) -> bool {
339 !self.received_challenges.is_empty() || self.validation_requested()
340 }
341
342 fn promote_to(&mut self, state: PathState) {
345 if self.state < state {
346 self.state = state;
347 }
348 }
349
350 #[inline]
352 pub fn validated(&self) -> bool {
353 self.state == PathState::Validated
354 }
355
356 #[inline]
358 fn validation_failed(&self) -> bool {
359 self.state == PathState::Failed
360 }
361
362 #[inline]
364 pub fn under_validation(&self) -> bool {
365 matches!(self.state, PathState::Validating | PathState::ValidatingMTU)
366 }
367
368 #[inline]
370 pub fn request_validation(&mut self) {
371 self.challenge_requested = true;
372 }
373
374 #[inline]
376 pub fn validation_requested(&self) -> bool {
377 self.challenge_requested
378 }
379
380 pub fn should_send_pmtu_probe(
381 &mut self, hs_confirmed: bool, hs_done: bool, out_len: usize,
382 is_closing: bool, frames_empty: bool,
383 ) -> bool {
384 let Some(pmtud) = self.pmtud.as_mut() else {
385 return false;
386 };
387
388 (hs_confirmed && hs_done) &&
389 self.recovery.cwnd_available() > pmtud.get_probe_size() &&
390 out_len >= pmtud.get_probe_size() &&
391 pmtud.should_probe() &&
392 !is_closing &&
393 frames_empty
394 }
395
396 pub fn on_challenge_sent(&mut self) {
397 self.promote_to(PathState::Validating);
398 self.challenge_requested = false;
399 }
400
401 pub fn add_challenge_sent(
403 &mut self, data: [u8; 8], pkt_size: usize, sent_time: Instant,
404 ) {
405 self.on_challenge_sent();
406 self.in_flight_challenges
407 .push_back((data, pkt_size, sent_time));
408 }
409
410 pub fn on_challenge_received(&mut self, data: [u8; 8]) {
411 if self.received_challenges.len() == self.received_challenges_max_len {
413 return;
414 }
415
416 self.received_challenges.push_back(data);
417 self.peer_verified_local_address = true;
418 }
419
420 pub fn has_pending_challenge(&self, data: [u8; 8]) -> bool {
421 self.in_flight_challenges.iter().any(|(d, ..)| *d == data)
422 }
423
424 pub fn on_response_received(&mut self, data: [u8; 8]) -> bool {
426 self.verified_peer_address = true;
427 self.probing_lost = 0;
428
429 let mut challenge_size = 0;
430 self.in_flight_challenges.retain(|(d, s, _)| {
431 if *d == data {
432 challenge_size = *s;
433 false
434 } else {
435 true
436 }
437 });
438
439 self.promote_to(PathState::ValidatingMTU);
441
442 self.max_challenge_size =
443 std::cmp::max(self.max_challenge_size, challenge_size);
444
445 if self.state == PathState::ValidatingMTU {
446 if self.max_challenge_size >= crate::MIN_CLIENT_INITIAL_LEN {
447 self.promote_to(PathState::Validated);
449 return true;
450 }
451
452 self.request_validation();
454 }
455
456 false
457 }
458
459 fn on_failed_validation(&mut self) {
460 self.state = PathState::Failed;
461 self.active = false;
462 }
463
464 #[inline]
465 pub fn pop_received_challenge(&mut self) -> Option<[u8; 8]> {
466 self.received_challenges.pop_front()
467 }
468
469 pub fn on_loss_detection_timeout(
470 &mut self, handshake_status: HandshakeStatus, now: Instant,
471 is_server: bool, trace_id: &str,
472 ) -> OnLossDetectionTimeoutOutcome {
473 let outcome = self.recovery.on_loss_detection_timeout(
474 handshake_status,
475 now,
476 trace_id,
477 );
478
479 let mut lost_probe_time = None;
480 self.in_flight_challenges.retain(|(_, _, sent_time)| {
481 if *sent_time <= now {
482 if lost_probe_time.is_none() {
483 lost_probe_time = Some(*sent_time);
484 }
485 false
486 } else {
487 true
488 }
489 });
490
491 if let Some(lost_probe_time) = lost_probe_time {
494 self.last_probe_lost_time = match self.last_probe_lost_time {
495 Some(last) => {
496 if lost_probe_time - last >= self.recovery.rtt() {
498 self.probing_lost += 1;
499 Some(lost_probe_time)
500 } else {
501 Some(last)
502 }
503 },
504 None => {
505 self.probing_lost += 1;
506 Some(lost_probe_time)
507 },
508 };
509 if self.probing_lost >= crate::MAX_PROBING_TIMEOUTS ||
513 (is_server && self.max_send_bytes < crate::MIN_PROBING_SIZE)
514 {
515 self.on_failed_validation();
516 } else {
517 self.request_validation();
518 }
519 }
520
521 self.total_pto_count += 1;
523
524 outcome
525 }
526
527 pub fn can_reinit_recovery(&self) -> bool {
531 self.recovery.bytes_in_flight() == 0 &&
538 self.recovery.bytes_in_flight_duration() == Duration::ZERO
539 }
540
541 pub fn reinit_recovery(
542 &mut self, recovery_config: &recovery::RecoveryConfig,
543 ) {
544 self.recovery = recovery::Recovery::new_with_config(recovery_config)
545 }
546
547 pub fn stats(&self) -> PathStats {
548 let pmtu = match self.pmtud.as_ref().map(|p| p.get_current_mtu()) {
549 Some(v) => v,
550
551 None => self.recovery.max_datagram_size(),
552 };
553
554 PathStats {
555 local_addr: self.local_addr,
556 peer_addr: self.peer_addr,
557 validation_state: self.state,
558 active: self.active,
559 recv: self.recv_count,
560 sent: self.sent_count,
561 lost: self.recovery.lost_count(),
562 retrans: self.retrans_count,
563 total_pto_count: self.total_pto_count,
564 dgram_recv: self.dgram_recv_count,
565 dgram_sent: self.dgram_sent_count,
566 dgram_lost: self.dgram_lost_count,
567 rtt: self.recovery.rtt(),
568 min_rtt: self.recovery.min_rtt(),
569 max_rtt: self.recovery.max_rtt(),
570 rttvar: self.recovery.rttvar(),
571 cwnd: self.recovery.cwnd(),
572 sent_bytes: self.sent_bytes,
573 recv_bytes: self.recv_bytes,
574 lost_bytes: self.recovery.bytes_lost(),
575 stream_retrans_bytes: self.stream_retrans_bytes,
576 pmtu,
577 delivery_rate: self.recovery.delivery_rate().to_bytes_per_second(),
578 max_bandwidth: self
579 .recovery
580 .max_bandwidth()
581 .map(Bandwidth::to_bytes_per_second),
582 startup_exit: self.recovery.startup_exit(),
583 }
584 }
585
586 pub fn bytes_in_flight_duration(&self) -> Duration {
587 self.recovery.bytes_in_flight_duration()
588 }
589}
590
591#[derive(Default)]
593pub struct SocketAddrIter {
594 pub(crate) sockaddrs: SmallVec<[SocketAddr; 8]>,
595 pub(crate) index: usize,
596}
597
598impl Iterator for SocketAddrIter {
599 type Item = SocketAddr;
600
601 #[inline]
602 fn next(&mut self) -> Option<Self::Item> {
603 let v = self.sockaddrs.get(self.index)?;
604 self.index += 1;
605 Some(*v)
606 }
607}
608
609impl ExactSizeIterator for SocketAddrIter {
610 #[inline]
611 fn len(&self) -> usize {
612 self.sockaddrs.len() - self.index
613 }
614}
615
616pub struct PathMap {
618 paths: Slab<Path>,
621
622 max_concurrent_paths: usize,
624
625 addrs_to_paths: BTreeMap<(SocketAddr, SocketAddr), usize>,
628
629 events: VecDeque<PathEvent>,
631
632 is_server: bool,
634}
635
636impl PathMap {
637 pub fn new(
640 mut initial_path: Path, max_concurrent_paths: usize, is_server: bool,
641 ) -> Self {
642 let mut paths = Slab::with_capacity(1); let mut addrs_to_paths = BTreeMap::new();
644
645 let local_addr = initial_path.local_addr;
646 let peer_addr = initial_path.peer_addr;
647
648 initial_path.active = true;
650
651 let active_path_id = paths.insert(initial_path);
652 addrs_to_paths.insert((local_addr, peer_addr), active_path_id);
653
654 Self {
655 paths,
656 max_concurrent_paths,
657 addrs_to_paths,
658 events: VecDeque::new(),
659 is_server,
660 }
661 }
662
663 #[inline]
669 pub fn get(&self, path_id: usize) -> Result<&Path> {
670 self.paths.get(path_id).ok_or(Error::InvalidState)
671 }
672
673 #[inline]
679 pub fn get_mut(&mut self, path_id: usize) -> Result<&mut Path> {
680 self.paths.get_mut(path_id).ok_or(Error::InvalidState)
681 }
682
683 #[inline]
684 pub fn get_active_with_pid(&self) -> Option<(usize, &Path)> {
687 self.paths.iter().find(|(_, p)| p.active())
688 }
689
690 #[inline]
695 pub fn get_active(&self) -> Result<&Path> {
696 self.get_active_with_pid()
697 .map(|(_, p)| p)
698 .ok_or(Error::InvalidState)
699 }
700
701 #[inline]
706 pub fn get_active_path_id(&self) -> Result<usize> {
707 self.get_active_with_pid()
708 .map(|(pid, _)| pid)
709 .ok_or(Error::InvalidState)
710 }
711
712 #[inline]
717 pub fn get_active_mut(&mut self) -> Result<&mut Path> {
718 self.paths
719 .iter_mut()
720 .map(|(_, p)| p)
721 .find(|p| p.active())
722 .ok_or(Error::InvalidState)
723 }
724
725 #[inline]
727 pub fn iter(&self) -> slab::Iter<'_, Path> {
728 self.paths.iter()
729 }
730
731 #[inline]
733 pub fn iter_mut(&mut self) -> slab::IterMut<'_, Path> {
734 self.paths.iter_mut()
735 }
736
737 #[inline]
739 pub fn len(&self) -> usize {
740 self.paths.len()
741 }
742
743 #[inline]
745 pub fn path_id_from_addrs(
746 &self, addrs: &(SocketAddr, SocketAddr),
747 ) -> Option<usize> {
748 self.addrs_to_paths.get(addrs).copied()
749 }
750
751 fn make_room_for_new_path(&mut self) -> Result<()> {
757 if self.paths.len() < self.max_concurrent_paths {
758 return Ok(());
759 }
760
761 let (pid_to_remove, _) = self
762 .paths
763 .iter()
764 .find(|(_, p)| p.unused())
765 .ok_or(Error::Done)?;
766
767 let path = self.paths.remove(pid_to_remove);
768 self.addrs_to_paths
769 .remove(&(path.local_addr, path.peer_addr));
770
771 self.notify_event(PathEvent::Closed(path.local_addr, path.peer_addr));
772
773 Ok(())
774 }
775
776 pub fn insert_path(&mut self, path: Path, is_server: bool) -> Result<usize> {
787 self.make_room_for_new_path()?;
788
789 let local_addr = path.local_addr;
790 let peer_addr = path.peer_addr;
791
792 let pid = self.paths.insert(path);
793 self.addrs_to_paths.insert((local_addr, peer_addr), pid);
794
795 if is_server {
797 self.notify_event(PathEvent::New(local_addr, peer_addr));
798 }
799
800 Ok(pid)
801 }
802
803 pub fn notify_event(&mut self, ev: PathEvent) {
805 self.events.push_back(ev);
806 }
807
808 pub fn pop_event(&mut self) -> Option<PathEvent> {
810 self.events.pop_front()
811 }
812
813 pub fn notify_failed_validations(&mut self) {
815 let validation_failed = self
816 .paths
817 .iter_mut()
818 .filter(|(_, p)| p.validation_failed() && !p.failure_notified);
819
820 for (_, p) in validation_failed {
821 self.events.push_back(PathEvent::FailedValidation(
822 p.local_addr,
823 p.peer_addr,
824 ));
825
826 p.failure_notified = true;
827 }
828 }
829
830 pub fn find_candidate_path(&self) -> Option<usize> {
832 self.paths
834 .iter()
835 .find(|(_, p)| p.usable())
836 .map(|(pid, _)| pid)
837 }
838
839 pub fn on_response_received(&mut self, data: [u8; 8]) -> Result<()> {
841 let active_pid = self.get_active_path_id()?;
842
843 let challenge_pending =
844 self.iter_mut().find(|(_, p)| p.has_pending_challenge(data));
845
846 if let Some((pid, p)) = challenge_pending {
847 if p.on_response_received(data) {
848 let local_addr = p.local_addr;
849 let peer_addr = p.peer_addr;
850 let was_migrating = p.migrating;
851
852 p.migrating = false;
853
854 self.notify_event(PathEvent::Validated(local_addr, peer_addr));
856
857 if pid == active_pid && was_migrating {
860 self.notify_event(PathEvent::PeerMigrated(
861 local_addr, peer_addr,
862 ));
863 }
864 }
865 }
866 Ok(())
867 }
868
869 pub fn set_active_path(&mut self, path_id: usize) -> Result<()> {
880 let is_server = self.is_server;
881
882 if let Ok(old_active_path) = self.get_active_mut() {
883 old_active_path.active = false;
884 }
885
886 let new_active_path = self.get_mut(path_id)?;
887 new_active_path.active = true;
888
889 if is_server {
890 if new_active_path.validated() {
891 let local_addr = new_active_path.local_addr();
892 let peer_addr = new_active_path.peer_addr();
893
894 self.notify_event(PathEvent::PeerMigrated(local_addr, peer_addr));
895 } else {
896 new_active_path.migrating = true;
897
898 if !new_active_path.under_validation() {
900 new_active_path.request_validation();
901 }
902 }
903 }
904
905 Ok(())
906 }
907
908 pub fn set_discover_pmtu_on_existing_paths(
910 &mut self, discover: bool, max_send_udp_payload_size: usize,
911 pmtud_max_probes: u8,
912 ) {
913 for (_, path) in self.paths.iter_mut() {
914 path.pmtud = if discover {
915 Some(pmtud::Pmtud::new(
916 max_send_udp_payload_size,
917 pmtud_max_probes,
918 ))
919 } else {
920 None
921 };
922 }
923 }
924}
925
926#[derive(Clone)]
933pub struct PathStats {
934 pub local_addr: SocketAddr,
936
937 pub peer_addr: SocketAddr,
939
940 pub validation_state: PathState,
942
943 pub active: bool,
945
946 pub recv: usize,
948
949 pub sent: usize,
951
952 pub lost: usize,
954
955 pub retrans: usize,
957
958 pub total_pto_count: usize,
965
966 pub dgram_recv: usize,
968
969 pub dgram_sent: usize,
971
972 pub dgram_lost: usize,
974
975 pub rtt: Duration,
977
978 pub min_rtt: Option<Duration>,
980
981 pub max_rtt: Option<Duration>,
983
984 pub rttvar: Duration,
987
988 pub cwnd: usize,
990
991 pub sent_bytes: u64,
993
994 pub recv_bytes: u64,
996
997 pub lost_bytes: u64,
999
1000 pub stream_retrans_bytes: u64,
1002
1003 pub pmtu: usize,
1005
1006 pub delivery_rate: u64,
1015
1016 pub max_bandwidth: Option<u64>,
1021
1022 pub startup_exit: Option<StartupExit>,
1024}
1025
1026impl std::fmt::Debug for PathStats {
1027 #[inline]
1028 fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
1029 write!(
1030 f,
1031 "local_addr={:?} peer_addr={:?} ",
1032 self.local_addr, self.peer_addr,
1033 )?;
1034 write!(
1035 f,
1036 "validation_state={:?} active={} ",
1037 self.validation_state, self.active,
1038 )?;
1039 write!(
1040 f,
1041 "recv={} sent={} lost={} retrans={} rtt={:?} min_rtt={:?} rttvar={:?} cwnd={}",
1042 self.recv, self.sent, self.lost, self.retrans, self.rtt, self.min_rtt, self.rttvar, self.cwnd,
1043 )?;
1044
1045 write!(
1046 f,
1047 " sent_bytes={} recv_bytes={} lost_bytes={}",
1048 self.sent_bytes, self.recv_bytes, self.lost_bytes,
1049 )?;
1050
1051 write!(
1052 f,
1053 " stream_retrans_bytes={} pmtu={} delivery_rate={}",
1054 self.stream_retrans_bytes, self.pmtu, self.delivery_rate,
1055 )
1056 }
1057}
1058
1059#[cfg(test)]
1060mod tests {
1061 use crate::rand;
1062 use crate::MIN_CLIENT_INITIAL_LEN;
1063
1064 use crate::recovery::RecoveryConfig;
1065 use crate::Config;
1066
1067 use super::*;
1068
1069 #[test]
1070 fn path_validation_limited_mtu() {
1071 let client_addr = "127.0.0.1:1234".parse().unwrap();
1072 let client_addr_2 = "127.0.0.1:5678".parse().unwrap();
1073 let server_addr = "127.0.0.1:4321".parse().unwrap();
1074
1075 let config = Config::new(crate::PROTOCOL_VERSION).unwrap();
1076 let recovery_config = RecoveryConfig::from_config(&config);
1077
1078 let path = Path::new(
1079 client_addr,
1080 server_addr,
1081 &recovery_config,
1082 config.path_challenge_recv_max_queue_len,
1083 true,
1084 None,
1085 );
1086 let mut path_mgr = PathMap::new(path, 2, false);
1087
1088 let probed_path = Path::new(
1089 client_addr_2,
1090 server_addr,
1091 &recovery_config,
1092 config.path_challenge_recv_max_queue_len,
1093 false,
1094 None,
1095 );
1096 path_mgr.insert_path(probed_path, false).unwrap();
1097
1098 let pid = path_mgr
1099 .path_id_from_addrs(&(client_addr_2, server_addr))
1100 .unwrap();
1101 path_mgr.get_mut(pid).unwrap().request_validation();
1102 assert!(path_mgr.get_mut(pid).unwrap().validation_requested());
1103 assert!(path_mgr.get_mut(pid).unwrap().probing_required());
1104
1105 let data = rand::rand_u64().to_be_bytes();
1108 path_mgr.get_mut(pid).unwrap().add_challenge_sent(
1109 data,
1110 MIN_CLIENT_INITIAL_LEN - 1,
1111 Instant::now(),
1112 );
1113
1114 assert!(!path_mgr.get_mut(pid).unwrap().validation_requested());
1115 assert!(!path_mgr.get_mut(pid).unwrap().probing_required());
1116 assert!(path_mgr.get_mut(pid).unwrap().under_validation());
1117 assert!(!path_mgr.get_mut(pid).unwrap().validated());
1118 assert_eq!(path_mgr.get_mut(pid).unwrap().state, PathState::Validating);
1119 assert_eq!(path_mgr.pop_event(), None);
1120
1121 path_mgr.on_response_received(data).unwrap();
1124
1125 assert!(path_mgr.get_mut(pid).unwrap().validation_requested());
1126 assert!(path_mgr.get_mut(pid).unwrap().probing_required());
1127 assert!(path_mgr.get_mut(pid).unwrap().under_validation());
1128 assert!(!path_mgr.get_mut(pid).unwrap().validated());
1129 assert_eq!(
1130 path_mgr.get_mut(pid).unwrap().state,
1131 PathState::ValidatingMTU
1132 );
1133 assert_eq!(path_mgr.pop_event(), None);
1134
1135 let data = rand::rand_u64().to_be_bytes();
1138 path_mgr.get_mut(pid).unwrap().add_challenge_sent(
1139 data,
1140 MIN_CLIENT_INITIAL_LEN,
1141 Instant::now(),
1142 );
1143
1144 path_mgr.on_response_received(data).unwrap();
1145
1146 assert!(!path_mgr.get_mut(pid).unwrap().validation_requested());
1147 assert!(!path_mgr.get_mut(pid).unwrap().probing_required());
1148 assert!(!path_mgr.get_mut(pid).unwrap().under_validation());
1149 assert!(path_mgr.get_mut(pid).unwrap().validated());
1150 assert_eq!(path_mgr.get_mut(pid).unwrap().state, PathState::Validated);
1151 assert_eq!(
1152 path_mgr.pop_event(),
1153 Some(PathEvent::Validated(client_addr_2, server_addr))
1154 );
1155 }
1156
1157 #[test]
1158 fn multiple_probes() {
1159 let client_addr = "127.0.0.1:1234".parse().unwrap();
1160 let server_addr = "127.0.0.1:4321".parse().unwrap();
1161
1162 let config = Config::new(crate::PROTOCOL_VERSION).unwrap();
1163 let recovery_config = RecoveryConfig::from_config(&config);
1164
1165 let path = Path::new(
1166 client_addr,
1167 server_addr,
1168 &recovery_config,
1169 config.path_challenge_recv_max_queue_len,
1170 true,
1171 None,
1172 );
1173 let mut client_path_mgr = PathMap::new(path, 2, false);
1174 let mut server_path = Path::new(
1175 server_addr,
1176 client_addr,
1177 &recovery_config,
1178 config.path_challenge_recv_max_queue_len,
1179 false,
1180 None,
1181 );
1182
1183 let client_pid = client_path_mgr
1184 .path_id_from_addrs(&(client_addr, server_addr))
1185 .unwrap();
1186
1187 let data = rand::rand_u64().to_be_bytes();
1189
1190 client_path_mgr
1191 .get_mut(client_pid)
1192 .unwrap()
1193 .add_challenge_sent(data, MIN_CLIENT_INITIAL_LEN, Instant::now());
1194
1195 let data_2 = rand::rand_u64().to_be_bytes();
1197
1198 client_path_mgr
1199 .get_mut(client_pid)
1200 .unwrap()
1201 .add_challenge_sent(data_2, MIN_CLIENT_INITIAL_LEN, Instant::now());
1202 assert_eq!(
1203 client_path_mgr
1204 .get(client_pid)
1205 .unwrap()
1206 .in_flight_challenges
1207 .len(),
1208 2
1209 );
1210
1211 server_path.on_challenge_received(data);
1213 assert_eq!(server_path.received_challenges.len(), 1);
1214 server_path.on_challenge_received(data_2);
1215 assert_eq!(server_path.received_challenges.len(), 2);
1216
1217 client_path_mgr.on_response_received(data).unwrap();
1219 assert_eq!(
1220 client_path_mgr
1221 .get(client_pid)
1222 .unwrap()
1223 .in_flight_challenges
1224 .len(),
1225 1
1226 );
1227
1228 client_path_mgr.on_response_received(data_2).unwrap();
1230 assert_eq!(
1231 client_path_mgr
1232 .get(client_pid)
1233 .unwrap()
1234 .in_flight_challenges
1235 .len(),
1236 0
1237 );
1238 }
1239
1240 #[test]
1241 fn too_many_probes() {
1242 let client_addr = "127.0.0.1:1234".parse().unwrap();
1243 let server_addr = "127.0.0.1:4321".parse().unwrap();
1244
1245 let config = Config::new(crate::PROTOCOL_VERSION).unwrap();
1247 let recovery_config = RecoveryConfig::from_config(&config);
1248
1249 let path = Path::new(
1250 client_addr,
1251 server_addr,
1252 &recovery_config,
1253 config.path_challenge_recv_max_queue_len,
1254 true,
1255 None,
1256 );
1257 let mut client_path_mgr = PathMap::new(path, 2, false);
1258 let mut server_path = Path::new(
1259 server_addr,
1260 client_addr,
1261 &recovery_config,
1262 config.path_challenge_recv_max_queue_len,
1263 false,
1264 None,
1265 );
1266
1267 let client_pid = client_path_mgr
1268 .path_id_from_addrs(&(client_addr, server_addr))
1269 .unwrap();
1270
1271 let data = rand::rand_u64().to_be_bytes();
1273
1274 client_path_mgr
1275 .get_mut(client_pid)
1276 .unwrap()
1277 .add_challenge_sent(data, MIN_CLIENT_INITIAL_LEN, Instant::now());
1278
1279 let data_2 = rand::rand_u64().to_be_bytes();
1281
1282 client_path_mgr
1283 .get_mut(client_pid)
1284 .unwrap()
1285 .add_challenge_sent(data_2, MIN_CLIENT_INITIAL_LEN, Instant::now());
1286 assert_eq!(
1287 client_path_mgr
1288 .get(client_pid)
1289 .unwrap()
1290 .in_flight_challenges
1291 .len(),
1292 2
1293 );
1294
1295 let data_3 = rand::rand_u64().to_be_bytes();
1297
1298 client_path_mgr
1299 .get_mut(client_pid)
1300 .unwrap()
1301 .add_challenge_sent(data_3, MIN_CLIENT_INITIAL_LEN, Instant::now());
1302 assert_eq!(
1303 client_path_mgr
1304 .get(client_pid)
1305 .unwrap()
1306 .in_flight_challenges
1307 .len(),
1308 3
1309 );
1310
1311 let data_4 = rand::rand_u64().to_be_bytes();
1313
1314 client_path_mgr
1315 .get_mut(client_pid)
1316 .unwrap()
1317 .add_challenge_sent(data_4, MIN_CLIENT_INITIAL_LEN, Instant::now());
1318 assert_eq!(
1319 client_path_mgr
1320 .get(client_pid)
1321 .unwrap()
1322 .in_flight_challenges
1323 .len(),
1324 4
1325 );
1326
1327 server_path.on_challenge_received(data);
1330 assert_eq!(server_path.received_challenges.len(), 1);
1331 server_path.on_challenge_received(data_2);
1332 assert_eq!(server_path.received_challenges.len(), 2);
1333 server_path.on_challenge_received(data_3);
1334 assert_eq!(server_path.received_challenges.len(), 3);
1335 server_path.on_challenge_received(data_4);
1336 assert_eq!(server_path.received_challenges.len(), 3);
1337
1338 client_path_mgr.on_response_received(data).unwrap();
1340 assert_eq!(
1341 client_path_mgr
1342 .get(client_pid)
1343 .unwrap()
1344 .in_flight_challenges
1345 .len(),
1346 3
1347 );
1348
1349 client_path_mgr.on_response_received(data_2).unwrap();
1351 assert_eq!(
1352 client_path_mgr
1353 .get(client_pid)
1354 .unwrap()
1355 .in_flight_challenges
1356 .len(),
1357 2
1358 );
1359
1360 client_path_mgr.on_response_received(data_3).unwrap();
1362 assert_eq!(
1363 client_path_mgr
1364 .get(client_pid)
1365 .unwrap()
1366 .in_flight_challenges
1367 .len(),
1368 1
1369 );
1370
1371 }
1373}