quiche/recovery/congestion/bbr2/mod.rs
1// Copyright (C) 2022, Cloudflare, Inc.
2// All rights reserved.
3//
4// Redistribution and use in source and binary forms, with or without
5// modification, are permitted provided that the following conditions are
6// met:
7//
8// * Redistributions of source code must retain the above copyright notice,
9// this list of conditions and the following disclaimer.
10//
11// * Redistributions in binary form must reproduce the above copyright
12// notice, this list of conditions and the following disclaimer in the
13// documentation and/or other materials provided with the distribution.
14//
15// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS
16// IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO,
17// THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
18// PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR
19// CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
20// EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
21// PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
22// PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
23// LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
24// NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
25// SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
26
27//! BBR v2 Congestion Control
28//!
29//! This implementation is based on the following draft:
30//! <https://tools.ietf.org/html/draft-cardwell-iccrg-bbr-congestion-control-02>
31
32use super::*;
33use crate::minmax::Minmax;
34
35use std::time::Duration;
36use std::time::Instant;
37
38use super::CongestionControlOps;
39
40pub(crate) static BBR2: CongestionControlOps = CongestionControlOps {
41 on_init,
42 on_packet_sent,
43 on_packets_acked,
44 congestion_event,
45 checkpoint,
46 rollback,
47 has_custom_pacing,
48 debug_fmt,
49};
50
51/// The static discount factor of 1% used to scale BBR.bw to produce
52/// BBR.pacing_rate.
53const PACING_MARGIN_PERCENT: f64 = 0.01;
54
55/// A constant specifying the minimum gain value
56/// for calculating the pacing rate that will allow the sending rate to
57/// double each round (4*ln(2) ~=2.77 ) BBRStartupPacingGain; used in
58/// Startup mode for BBR.pacing_gain.
59const STARTUP_PACING_GAIN: f64 = 2.77;
60
61/// A constant specifying the pacing gain value for Probe Down mode.
62const PROBE_DOWN_PACING_GAIN: f64 = 3_f64 / 4_f64;
63
64/// A constant specifying the pacing gain value for Probe Up mode.
65const PROBE_UP_PACING_GAIN: f64 = 5_f64 / 4_f64;
66
67/// A constant specifying the pacing gain value for Probe Refill, Probe RTT,
68/// Cruise mode.
69const PACING_GAIN: f64 = 1.0;
70
71/// A constant specifying the minimum gain value for the cwnd in the Startup
72/// phase
73const STARTUP_CWND_GAIN: f64 = 2.77;
74
75/// A constant specifying the minimum gain value for
76/// calculating the cwnd that will allow the sending rate to double each
77/// round (2.0); used in Probe and Drain mode for BBR.cwnd_gain.
78const CWND_GAIN: f64 = 2.0;
79
80/// The maximum tolerated per-round-trip packet loss rate
81/// when probing for bandwidth (the default is 2%).
82const LOSS_THRESH: f64 = 0.02;
83
84/// Exit startup if the number of loss marking events is >=FULL_LOSS_COUNT
85const FULL_LOSS_COUNT: u32 = 8;
86
87/// The default multiplicative decrease to make upon each round
88/// trip during which the connection detects packet loss (the value is
89/// 0.7).
90const BETA: f64 = 0.7;
91
92/// The multiplicative factor to apply to BBR.inflight_hi
93/// when attempting to leave free headroom in the path (e.g. free space
94/// in the bottleneck buffer or free time slots in the bottleneck link)
95/// that can be used by cross traffic (the value is 0.85).
96const HEADROOM: f64 = 0.85;
97
98/// The minimal cwnd value BBR targets, to allow
99/// pipelining with TCP endpoints that follow an "ACK every other packet"
100/// delayed-ACK policy: 4 * SMSS.
101const MIN_PIPE_CWND_PKTS: usize = 4;
102
103// To do: Tune window for expiry of Max BW measurement
104// The filter window length for BBR.MaxBwFilter = 2 (representing up to 2
105// ProbeBW cycles, the current cycle and the previous full cycle).
106// const MAX_BW_FILTER_LEN: Duration = Duration::from_secs(2);
107
108// To do: Tune window for expiry of ACK aggregation measurement
109// The window length of the BBR.ExtraACKedFilter max filter window: 10 (in
110// units of packet-timed round trips).
111// const EXTRA_ACKED_FILTER_LEN: Duration = Duration::from_secs(10);
112
113/// A constant specifying the length of the BBR.min_rtt min filter window,
114/// MinRTTFilterLen is 10 secs.
115const MIN_RTT_FILTER_LEN: u32 = 1;
116
117/// A constant specifying the gain value for calculating the cwnd during
118/// ProbeRTT: 0.5 (meaning that ProbeRTT attempts to reduce in-flight data to
119/// 50% of the estimated BDP).
120const PROBE_RTT_CWND_GAIN: f64 = 0.5;
121
122/// A constant specifying the minimum duration for which ProbeRTT state holds
123/// inflight to BBRMinPipeCwnd or fewer packets: 200 ms.
124const PROBE_RTT_DURATION: Duration = Duration::from_millis(200);
125
126/// ProbeRTTInterval: A constant specifying the minimum time interval between
127/// ProbeRTT states. To do: investigate probe duration. Set arbitrarily high for
128/// now.
129const PROBE_RTT_INTERVAL: Duration = Duration::from_secs(86400);
130
131/// Threshold for checking a full bandwidth growth during Startup.
132const MAX_BW_GROWTH_THRESHOLD: f64 = 1.25;
133
134/// Threshold for determining maximum bandwidth of network during Startup.
135const MAX_BW_COUNT: usize = 3;
136
137/// BBR2 Internal State Machine.
138#[derive(Debug, PartialEq, Eq, Copy, Clone)]
139enum BBR2StateMachine {
140 Startup,
141 Drain,
142 ProbeBWDOWN,
143 ProbeBWCRUISE,
144 ProbeBWREFILL,
145 ProbeBWUP,
146 ProbeRTT,
147}
148
149/// BBR2 Ack Phases.
150#[derive(Debug, PartialEq, Eq)]
151enum BBR2AckPhase {
152 Init,
153 ProbeFeedback,
154 ProbeStarting,
155 ProbeStopping,
156 Refilling,
157}
158
159/// BBR2 Specific State Variables.
160pub struct State {
161 // 2.3. Per-ACK Rate Sample State
162 // It's stored in rate sample but we keep in BBR state here.
163
164 // The volume of data that was estimated to be in
165 // flight at the time of the transmission of the packet that has just
166 // been ACKed.
167 tx_in_flight: usize,
168
169 // The volume of data that was declared lost between the
170 // transmission and acknowledgement of the packet that has just been
171 // ACKed.
172 lost: usize,
173
174 // The volume of data cumulatively or selectively acknowledged upon the ACK
175 // that was just received. (This quantity is referred to as "DeliveredData"
176 // in [RFC6937].)
177 newly_acked_bytes: usize,
178
179 // The volume of data newly marked lost upon the ACK that was just received.
180 newly_lost_bytes: usize,
181
182 // 2.4. Output Control Parameters
183 // The current pacing rate for a BBR2 flow, which controls inter-packet
184 // spacing.
185 pacing_rate: u64,
186
187 // Save initial pacing rate so we can update when more reliable bytes
188 // delivered and RTT samples are available
189 init_pacing_rate: u64,
190
191 // 2.5. Pacing State and Parameters
192 // The dynamic gain factor used to scale BBR.bw to
193 // produce BBR.pacing_rate.
194 pacing_gain: f64,
195
196 // 2.6. cwnd State and Parameters
197 // The dynamic gain factor used to scale the estimated BDP to produce a
198 // congestion window (cwnd).
199 cwnd_gain: f64,
200
201 // A boolean indicating whether BBR is currently using packet conservation
202 // dynamics to bound cwnd.
203 packet_conservation: bool,
204
205 // 2.7. General Algorithm State
206 // The current state of a BBR2 flow in the BBR2 state machine.
207 state: BBR2StateMachine,
208
209 // Count of packet-timed round trips elapsed so far.
210 round_count: u64,
211
212 // A boolean that BBR2 sets to true once per packet-timed round trip,
213 // on ACKs that advance BBR2.round_count.
214 round_start: bool,
215
216 // packet.delivered value denoting the end of a packet-timed round trip.
217 next_round_delivered: usize,
218
219 // A boolean that is true if and only if a connection is restarting after
220 // being idle.
221 idle_restart: bool,
222
223 // 2.9.1. Data Rate Network Path Model Parameters
224 // The windowed maximum recent bandwidth sample - obtained using the BBR
225 // delivery rate sampling algorithm
226 // [draft-cheng-iccrg-delivery-rate-estimation] - measured during the current
227 // or previous bandwidth probing cycle (or during Startup, if the flow is
228 // still in that state). (Part of the long-term model.)
229 max_bw: u64,
230
231 // The long-term maximum sending bandwidth that the algorithm estimates will
232 // produce acceptable queue pressure, based on signals in the current or
233 // previous bandwidth probing cycle, as measured by loss. (Part of the
234 // long-term model.)
235 bw_hi: u64,
236
237 // The short-term maximum sending bandwidth that the algorithm estimates is
238 // safe for matching the current network path delivery rate, based on any
239 // loss signals in the current bandwidth probing cycle. This is generally
240 // lower than max_bw or bw_hi (thus the name). (Part of the short-term
241 // model.)
242 bw_lo: u64,
243
244 // The maximum sending bandwidth that the algorithm estimates is appropriate
245 // for matching the current network path delivery rate, given all available
246 // signals in the model, at any time scale. It is the min() of max_bw,
247 // bw_hi, and bw_lo.
248 bw: u64,
249
250 // 2.9.2. Data Volume Network Path Model Parameters
251 // The windowed minimum round-trip time sample measured over the last
252 // MinRTTFilterLen = 10 seconds. This attempts to estimate the two-way
253 // propagation delay of the network path when all connections sharing a
254 // bottleneck are using BBR, but also allows BBR to estimate the value
255 // required for a bdp estimate that allows full throughput if there are
256 // legacy loss-based Reno or CUBIC flows sharing the bottleneck.
257 min_rtt: Duration,
258
259 // The estimate of the network path's BDP (Bandwidth-Delay Product), computed
260 // as: BBR.bdp = BBR.bw * BBR.min_rtt.
261 bdp: usize,
262
263 // A volume of data that is the estimate of the recent degree of aggregation
264 // in the network path.
265 extra_acked: usize,
266
267 // The estimate of the minimum volume of data necessary to achieve full
268 // throughput when using sender (TSO/GSO) and receiver (LRO, GRO) host
269 // offload mechanisms.
270 offload_budget: usize,
271
272 // The estimate of the volume of in-flight data required to fully utilize the
273 // bottleneck bandwidth available to the flow, based on the BDP estimate
274 // (BBR.bdp), the aggregation estimate (BBR.extra_acked), the offload budget
275 // (BBR.offload_budget), and BBRMinPipeCwnd.
276 max_inflight: usize,
277
278 // Analogous to BBR.bw_hi, the long-term maximum volume of in-flight data
279 // that the algorithm estimates will produce acceptable queue pressure, based
280 // on signals in the current or previous bandwidth probing cycle, as measured
281 // by loss. That is, if a flow is probing for bandwidth, and observes that
282 // sending a particular volume of in-flight data causes a loss rate higher
283 // than the loss rate objective, it sets inflight_hi to that volume of data.
284 // (Part of the long-term model.)
285 inflight_hi: usize,
286
287 // Analogous to BBR.bw_lo, the short-term maximum volume of in-flight data
288 // that the algorithm estimates is safe for matching the current network path
289 // delivery process, based on any loss signals in the current bandwidth
290 // probing cycle. This is generally lower than max_inflight or inflight_hi
291 // (thus the name). (Part of the short-term model.)
292 inflight_lo: usize,
293
294 // 2.10. State for Responding to Congestion
295 // a 1-round-trip max of delivered bandwidth (rs.delivery_rate).
296 bw_latest: u64,
297
298 // a 1-round-trip max of delivered volume of data (rs.delivered).
299 inflight_latest: usize,
300
301 // 2.11. Estimating BBR.max_bw
302 // The filter for tracking the maximum recent rs.delivery_rate sample, for
303 // estimating BBR.max_bw.
304 max_bw_filter: Minmax<u64>,
305
306 // The virtual time used by the BBR.max_bw filter window. Note that
307 // BBR.cycle_count only needs to be tracked with a single bit, since the
308 // BBR.MaxBwFilter only needs to track samples from two time slots: the
309 // previous ProbeBW cycle and the current ProbeBW cycle.
310 cycle_count: u64,
311
312 // 2.12. Estimating BBR.extra_acked
313 // the start of the time interval for estimating the excess amount of data
314 // acknowledged due to aggregation effects.
315 extra_acked_interval_start: Instant,
316
317 // the volume of data marked as delivered since
318 // BBR.extra_acked_interval_start.
319 extra_acked_delivered: usize,
320
321 // BBR.ExtraACKedFilter: the max filter tracking the recent maximum degree of
322 // aggregation in the path.
323 extra_acked_filter: Minmax<usize>,
324
325 // 2.13. Startup Parameters and State
326 // A boolean that records whether BBR estimates that it has ever fully
327 // utilized its available bandwidth ("filled the pipe").
328 filled_pipe: bool,
329
330 // A recent baseline BBR.max_bw to estimate if BBR has "filled the pipe" in
331 // Startup.
332 full_bw: u64,
333
334 // The number of non-app-limited round trips without large increases in
335 // BBR.full_bw.
336 full_bw_count: usize,
337
338 // 2.14.1. Parameters for Estimating BBR.min_rtt
339 // The wall clock time at which the current BBR.min_rtt sample was obtained.
340 min_rtt_stamp: Instant,
341
342 // 2.14.2. Parameters for Scheduling ProbeRTT
343 // The minimum RTT sample recorded in the last ProbeRTTInterval.
344 probe_rtt_min_delay: Duration,
345
346 // The wall clock time at which the current BBR.probe_rtt_min_delay sample
347 // was obtained.
348 probe_rtt_min_stamp: Instant,
349
350 // A boolean recording whether the BBR.probe_rtt_min_delay has expired and is
351 // due for a refresh with an application idle period or a transition into
352 // ProbeRTT state.
353 probe_rtt_expired: bool,
354
355 // Others
356 // A state indicating we are in the recovery.
357 in_recovery: bool,
358
359 // Start time of the connection.
360 start_time: Instant,
361
362 // Saved cwnd before loss recovery.
363 prior_cwnd: usize,
364
365 // Whether we have a bandwidth probe samples.
366 bw_probe_samples: bool,
367
368 // Others
369 probe_up_cnt: usize,
370
371 prior_bytes_in_flight: usize,
372
373 probe_rtt_done_stamp: Option<Instant>,
374
375 probe_rtt_round_done: bool,
376
377 bw_probe_wait: Duration,
378
379 rounds_since_probe: usize,
380
381 cycle_stamp: Instant,
382
383 ack_phase: BBR2AckPhase,
384
385 bw_probe_up_rounds: usize,
386
387 bw_probe_up_acks: usize,
388
389 loss_round_start: bool,
390
391 loss_round_delivered: usize,
392
393 loss_in_round: bool,
394
395 loss_events_in_round: usize,
396}
397
398impl State {
399 pub fn new() -> Self {
400 let now = Instant::now();
401
402 State {
403 tx_in_flight: 0,
404
405 lost: 0,
406
407 newly_acked_bytes: 0,
408
409 newly_lost_bytes: 0,
410
411 pacing_rate: 0,
412
413 init_pacing_rate: 0,
414
415 pacing_gain: 0.0,
416
417 cwnd_gain: 0.0,
418
419 packet_conservation: false,
420
421 state: BBR2StateMachine::Startup,
422
423 round_count: 0,
424
425 round_start: false,
426
427 next_round_delivered: 0,
428
429 idle_restart: false,
430
431 max_bw: 0,
432
433 bw_hi: u64::MAX,
434
435 bw_lo: u64::MAX,
436
437 bw: 0,
438
439 min_rtt: Duration::MAX,
440
441 bdp: 0,
442
443 extra_acked: 0,
444
445 offload_budget: 0,
446
447 max_inflight: 0,
448
449 inflight_hi: usize::MAX,
450
451 inflight_lo: usize::MAX,
452
453 bw_latest: 0,
454
455 inflight_latest: 0,
456
457 max_bw_filter: Minmax::new(0),
458
459 cycle_count: 0,
460
461 extra_acked_interval_start: now,
462
463 extra_acked_delivered: 0,
464
465 extra_acked_filter: Minmax::new(0),
466
467 filled_pipe: false,
468
469 full_bw: 0,
470
471 full_bw_count: 0,
472
473 min_rtt_stamp: now,
474
475 probe_rtt_min_delay: Duration::MAX,
476
477 probe_rtt_min_stamp: now,
478
479 probe_rtt_expired: false,
480
481 in_recovery: false,
482
483 start_time: now,
484
485 prior_cwnd: 0,
486
487 bw_probe_samples: false,
488
489 probe_up_cnt: 0,
490
491 prior_bytes_in_flight: 0,
492
493 probe_rtt_done_stamp: None,
494
495 probe_rtt_round_done: false,
496
497 bw_probe_wait: Duration::ZERO,
498
499 rounds_since_probe: 0,
500
501 cycle_stamp: now,
502
503 ack_phase: BBR2AckPhase::Init,
504
505 bw_probe_up_rounds: 0,
506
507 bw_probe_up_acks: 0,
508
509 loss_round_start: false,
510
511 loss_round_delivered: 0,
512
513 loss_in_round: false,
514
515 loss_events_in_round: 0,
516 }
517 }
518}
519
520// When entering the recovery episode.
521fn bbr2_enter_recovery(r: &mut Congestion, in_flight: usize, now: Instant) {
522 r.bbr2_state.prior_cwnd = per_ack::bbr2_save_cwnd(r);
523
524 r.congestion_window =
525 in_flight + r.bbr2_state.newly_acked_bytes.max(r.max_datagram_size);
526 r.congestion_recovery_start_time = Some(now);
527
528 r.bbr2_state.packet_conservation = true;
529 r.bbr2_state.in_recovery = true;
530
531 // Start round now.
532 r.bbr2_state.next_round_delivered = r.delivery_rate.delivered();
533}
534
535// When exiting the recovery episode.
536fn bbr2_exit_recovery(r: &mut Congestion) {
537 r.congestion_recovery_start_time = None;
538
539 r.bbr2_state.packet_conservation = false;
540 r.bbr2_state.in_recovery = false;
541
542 per_ack::bbr2_restore_cwnd(r);
543}
544
545// Congestion Control Hooks.
546//
547fn on_init(r: &mut Congestion) {
548 init::bbr2_init(r);
549}
550
551fn on_packet_sent(
552 r: &mut Congestion, _sent_bytes: usize, bytes_in_flight: usize, now: Instant,
553) {
554 per_transmit::bbr2_on_transmit(r, bytes_in_flight, now);
555}
556
557fn on_packets_acked(
558 r: &mut Congestion, bytes_in_flight: usize, packets: &mut Vec<Acked>,
559 now: Instant, _rtt_stats: &RttStats,
560) {
561 r.bbr2_state.newly_acked_bytes = 0;
562
563 let time_sent = packets.last().map(|pkt| pkt.time_sent);
564
565 r.bbr2_state.prior_bytes_in_flight = bytes_in_flight;
566 let mut bytes_in_flight = bytes_in_flight;
567
568 for p in packets.drain(..) {
569 per_ack::bbr2_update_model_and_state(r, &p, bytes_in_flight, now);
570
571 r.bbr2_state.prior_bytes_in_flight = bytes_in_flight;
572 bytes_in_flight -= p.size;
573
574 r.bbr2_state.newly_acked_bytes += p.size;
575 }
576
577 if let Some(ts) = time_sent {
578 if !r.in_congestion_recovery(ts) {
579 // Upon exiting loss recovery.
580 bbr2_exit_recovery(r);
581 }
582 }
583
584 per_ack::bbr2_update_control_parameters(r, bytes_in_flight, now);
585
586 r.bbr2_state.newly_lost_bytes = 0;
587}
588
589fn congestion_event(
590 r: &mut Congestion, bytes_in_flight: usize, lost_bytes: usize,
591 largest_lost_pkt: &Sent, now: Instant,
592) {
593 r.bbr2_state.newly_lost_bytes = lost_bytes;
594
595 per_loss::bbr2_update_on_loss(r, largest_lost_pkt, lost_bytes, now);
596
597 // Upon entering Fast Recovery.
598 if !r.in_congestion_recovery(largest_lost_pkt.time_sent) {
599 // Upon entering Fast Recovery.
600 bbr2_enter_recovery(r, bytes_in_flight - lost_bytes, now);
601 }
602}
603
604fn checkpoint(_r: &mut Congestion) {}
605
606fn rollback(_r: &mut Congestion) -> bool {
607 false
608}
609
610fn has_custom_pacing() -> bool {
611 true
612}
613
614// rate -> kbit/sec. if inf, return -1
615fn rate_kbps(rate: u64) -> isize {
616 if rate == u64::MAX {
617 -1
618 } else {
619 (rate * 8 / 1000) as isize
620 }
621}
622
623fn debug_fmt(r: &Congestion, f: &mut std::fmt::Formatter) -> std::fmt::Result {
624 let bbr = &r.bbr2_state;
625
626 write!(f, "bbr2={{ ")?;
627 write!(
628 f,
629 "state={:?} in_recovery={} ack_phase={:?} filled_pipe={} full_bw_count={} loss_events_in_round={} ",
630 bbr.state, bbr.in_recovery, bbr.ack_phase, bbr.filled_pipe, bbr.full_bw_count, bbr.loss_events_in_round
631 )?;
632 write!(
633 f,
634 "send_quantum={} extra_acked={} min_rtt={:?} round_start={} ",
635 r.send_quantum, bbr.extra_acked, bbr.min_rtt, bbr.round_start
636 )?;
637 write!(
638 f,
639 "max_bw={}kbps bw_lo={}kbps bw={}kbps bw_hi={}kbps full_bw={}kbps ",
640 rate_kbps(bbr.max_bw),
641 rate_kbps(bbr.bw_lo),
642 rate_kbps(bbr.bw),
643 rate_kbps(bbr.bw_hi),
644 rate_kbps(bbr.full_bw)
645 )?;
646 write!(
647 f,
648 "inflight_lo={} inflight_hi={} max_inflight={} ",
649 bbr.inflight_lo, bbr.inflight_hi, bbr.max_inflight
650 )?;
651 write!(
652 f,
653 "probe_up_cnt={} bw_probe_samples={} ",
654 bbr.probe_up_cnt, bbr.bw_probe_samples
655 )?;
656 write!(f, "}}")
657}
658
659// TODO: write more tests
660#[cfg(test)]
661mod tests {
662 use super::*;
663
664 use smallvec::smallvec;
665
666 use crate::packet;
667 use crate::ranges;
668 use crate::recovery::congestion::recovery::LegacyRecovery;
669 use crate::recovery::HandshakeStatus;
670 use crate::recovery::RecoveryOps;
671 use crate::CongestionControlAlgorithm;
672
673 #[test]
674 fn bbr_init() {
675 let mut cfg = crate::Config::new(crate::PROTOCOL_VERSION).unwrap();
676 cfg.set_cc_algorithm(CongestionControlAlgorithm::BBR2);
677
678 let r = LegacyRecovery::new(&cfg);
679
680 // on_init() is called in Connection::new(), so it need to be
681 // called manually here.
682
683 assert_eq!(
684 r.cwnd(),
685 r.max_datagram_size * r.congestion.initial_congestion_window_packets
686 );
687 assert_eq!(r.bytes_in_flight, 0);
688
689 assert_eq!(r.congestion.bbr2_state.state, BBR2StateMachine::Startup);
690 }
691
692 #[test]
693 fn bbr2_startup() {
694 let mut cfg = crate::Config::new(crate::PROTOCOL_VERSION).unwrap();
695 cfg.set_cc_algorithm(CongestionControlAlgorithm::BBR2);
696
697 let mut r = LegacyRecovery::new(&cfg);
698 let now = Instant::now();
699 let mss = r.max_datagram_size;
700
701 // Send 5 packets.
702 for pn in 0..5 {
703 let pkt = Sent {
704 pkt_num: pn,
705 frames: smallvec![],
706 time_sent: now,
707 time_acked: None,
708 time_lost: None,
709 size: mss,
710 ack_eliciting: true,
711 in_flight: true,
712 delivered: 0,
713 delivered_time: now,
714 first_sent_time: now,
715 is_app_limited: false,
716 tx_in_flight: 0,
717 lost: 0,
718 has_data: false,
719 pmtud: false,
720 };
721
722 r.on_packet_sent(
723 pkt,
724 packet::Epoch::Application,
725 HandshakeStatus::default(),
726 now,
727 "",
728 );
729 }
730
731 let rtt = Duration::from_millis(50);
732 let now = now + rtt;
733 let cwnd_prev = r.cwnd();
734
735 let mut acked = ranges::RangeSet::default();
736 acked.insert(0..5);
737
738 assert_eq!(
739 r.on_ack_received(
740 &acked,
741 25,
742 packet::Epoch::Application,
743 HandshakeStatus::default(),
744 now,
745 "",
746 ),
747 (0, 0, 5 * mss)
748 );
749
750 assert_eq!(r.congestion.bbr2_state.state, BBR2StateMachine::Startup);
751 assert_eq!(r.cwnd(), cwnd_prev + mss * 5);
752 assert_eq!(r.bytes_in_flight, 0);
753 assert_eq!(
754 r.delivery_rate(),
755 ((mss * 5) as f64 / rtt.as_secs_f64()) as u64
756 );
757 assert_eq!(r.congestion.bbr2_state.full_bw, r.delivery_rate());
758 }
759
760 #[test]
761 fn bbr2_congestion_event() {
762 let mut cfg = crate::Config::new(crate::PROTOCOL_VERSION).unwrap();
763 cfg.set_cc_algorithm(CongestionControlAlgorithm::BBR2);
764
765 let mut r = LegacyRecovery::new(&cfg);
766 let now = Instant::now();
767 let mss = r.max_datagram_size;
768
769 // Send 5 packets.
770 for pn in 0..5 {
771 let pkt = Sent {
772 pkt_num: pn,
773 frames: smallvec![],
774 time_sent: now,
775 time_acked: None,
776 time_lost: None,
777 size: mss,
778 ack_eliciting: true,
779 in_flight: true,
780 delivered: 0,
781 delivered_time: now,
782 first_sent_time: now,
783 is_app_limited: false,
784 tx_in_flight: 0,
785 lost: 0,
786 has_data: false,
787 pmtud: false,
788 };
789
790 r.on_packet_sent(
791 pkt,
792 packet::Epoch::Application,
793 HandshakeStatus::default(),
794 now,
795 "",
796 );
797 }
798
799 let rtt = Duration::from_millis(50);
800 let now = now + rtt;
801
802 // Make a packet loss to trigger a congestion event.
803 let mut acked = ranges::RangeSet::default();
804 acked.insert(4..5);
805
806 // 2 acked, 2 x MSS lost.
807 assert_eq!(
808 r.on_ack_received(
809 &acked,
810 25,
811 packet::Epoch::Application,
812 HandshakeStatus::default(),
813 now,
814 "",
815 ),
816 (2, 2 * mss, mss)
817 );
818
819 assert!(r.congestion.bbr2_state.in_recovery);
820
821 // Still in flight: 2, 3.
822 assert_eq!(r.bytes_in_flight, mss * 2);
823
824 assert_eq!(r.congestion.bbr2_state.newly_acked_bytes, mss);
825
826 assert_eq!(r.cwnd(), mss * 3);
827 }
828
829 #[test]
830 fn bbr2_probe_bw() {
831 let mut cfg = crate::Config::new(crate::PROTOCOL_VERSION).unwrap();
832 cfg.set_cc_algorithm(CongestionControlAlgorithm::BBR2);
833
834 let mut r = LegacyRecovery::new(&cfg);
835 let now = Instant::now();
836 let mss = r.max_datagram_size;
837
838 let mut pn = 0;
839
840 // Stop right before filled_pipe=true.
841 for _ in 0..3 {
842 let pkt = Sent {
843 pkt_num: pn,
844 frames: smallvec![],
845 time_sent: now,
846 time_acked: None,
847 time_lost: None,
848 size: mss,
849 ack_eliciting: true,
850 in_flight: true,
851 delivered: r.congestion.delivery_rate.delivered(),
852 delivered_time: now,
853 first_sent_time: now,
854 is_app_limited: false,
855 tx_in_flight: 0,
856 lost: 0,
857 has_data: false,
858 pmtud: false,
859 };
860
861 r.on_packet_sent(
862 pkt,
863 packet::Epoch::Application,
864 HandshakeStatus::default(),
865 now,
866 "",
867 );
868
869 pn += 1;
870
871 let rtt = Duration::from_millis(50);
872
873 let now = now + rtt;
874
875 let mut acked = ranges::RangeSet::default();
876 acked.insert(0..pn);
877
878 assert_eq!(
879 r.on_ack_received(
880 &acked,
881 25,
882 packet::Epoch::Application,
883 HandshakeStatus::default(),
884 now,
885 "",
886 ),
887 (0, 0, mss)
888 );
889 }
890
891 // Stop at right before filled_pipe=true.
892 for _ in 0..5 {
893 let pkt = Sent {
894 pkt_num: pn,
895 frames: smallvec![],
896 time_sent: now,
897 time_acked: None,
898 time_lost: None,
899 size: mss,
900 ack_eliciting: true,
901 in_flight: true,
902 delivered: r.congestion.delivery_rate.delivered(),
903 delivered_time: now,
904 first_sent_time: now,
905 is_app_limited: false,
906 tx_in_flight: 0,
907 lost: 0,
908 has_data: false,
909 pmtud: false,
910 };
911
912 r.on_packet_sent(
913 pkt,
914 packet::Epoch::Application,
915 HandshakeStatus::default(),
916 now,
917 "",
918 );
919
920 pn += 1;
921 }
922
923 let rtt = Duration::from_millis(50);
924 let now = now + rtt;
925
926 let mut acked = ranges::RangeSet::default();
927
928 // We sent 5 packets, but ack only one, so stay
929 // in Drain state.
930 acked.insert(0..pn - 4);
931
932 assert_eq!(
933 r.on_ack_received(
934 &acked,
935 25,
936 packet::Epoch::Application,
937 HandshakeStatus::default(),
938 now,
939 "",
940 ),
941 (0, 0, mss)
942 );
943
944 assert_eq!(r.congestion.bbr2_state.state, BBR2StateMachine::Drain);
945 assert!(r.congestion.bbr2_state.filled_pipe);
946 assert!(r.congestion.bbr2_state.pacing_gain < 1.0);
947 }
948
949 #[test]
950 fn bbr2_probe_rtt() {
951 let mut cfg = crate::Config::new(crate::PROTOCOL_VERSION).unwrap();
952 cfg.set_cc_algorithm(CongestionControlAlgorithm::BBR2);
953
954 let mut r = LegacyRecovery::new(&cfg);
955 let now = Instant::now();
956 let mss = r.max_datagram_size;
957
958 let mut pn = 0;
959
960 // At 4th roundtrip, filled_pipe=true and switch to Drain,
961 // but move to ProbeBW immediately because bytes_in_flight is
962 // smaller than BBRInFlight(1).
963 for _ in 0..4 {
964 let pkt = Sent {
965 pkt_num: pn,
966 frames: smallvec![],
967 time_sent: now,
968 time_acked: None,
969 time_lost: None,
970 size: mss,
971 ack_eliciting: true,
972 in_flight: true,
973 delivered: r.congestion.delivery_rate.delivered(),
974 delivered_time: now,
975 first_sent_time: now,
976 is_app_limited: false,
977 tx_in_flight: 0,
978 lost: 0,
979 has_data: false,
980 pmtud: false,
981 };
982
983 r.on_packet_sent(
984 pkt,
985 packet::Epoch::Application,
986 HandshakeStatus::default(),
987 now,
988 "",
989 );
990
991 pn += 1;
992
993 let rtt = Duration::from_millis(50);
994 let now = now + rtt;
995
996 let mut acked = ranges::RangeSet::default();
997 acked.insert(0..pn);
998
999 assert_eq!(
1000 r.on_ack_received(
1001 &acked,
1002 25,
1003 packet::Epoch::Application,
1004 HandshakeStatus::default(),
1005 now,
1006 "",
1007 ),
1008 (0, 0, mss)
1009 );
1010 }
1011
1012 // Now we are in ProbeBW state.
1013 assert_eq!(
1014 r.congestion.bbr2_state.state,
1015 BBR2StateMachine::ProbeBWCRUISE
1016 );
1017
1018 // After RTPROP_FILTER_LEN (10s), switch to ProbeRTT.
1019 let now = now + PROBE_RTT_INTERVAL;
1020
1021 let pkt = Sent {
1022 pkt_num: pn,
1023 frames: smallvec![],
1024 time_sent: now,
1025 time_acked: None,
1026 time_lost: None,
1027 size: mss,
1028 ack_eliciting: true,
1029 in_flight: true,
1030 delivered: r.congestion.delivery_rate.delivered(),
1031 delivered_time: now,
1032 first_sent_time: now,
1033 is_app_limited: false,
1034 tx_in_flight: 0,
1035 lost: 0,
1036 has_data: false,
1037 pmtud: false,
1038 };
1039
1040 r.on_packet_sent(
1041 pkt,
1042 packet::Epoch::Application,
1043 HandshakeStatus::default(),
1044 now,
1045 "",
1046 );
1047
1048 pn += 1;
1049
1050 // Don't update rtprop by giving larger rtt than before.
1051 // If rtprop is updated, rtprop expiry check is reset.
1052 let rtt = Duration::from_millis(100);
1053 let now = now + rtt;
1054
1055 let mut acked = ranges::RangeSet::default();
1056 acked.insert(0..pn);
1057
1058 assert_eq!(
1059 r.on_ack_received(
1060 &acked,
1061 25,
1062 packet::Epoch::Application,
1063 HandshakeStatus::default(),
1064 now,
1065 "",
1066 ),
1067 (0, 0, mss)
1068 );
1069
1070 assert_eq!(r.congestion.bbr2_state.state, BBR2StateMachine::ProbeRTT);
1071 assert_eq!(r.congestion.bbr2_state.pacing_gain, 1.0);
1072 }
1073}
1074
1075mod init;
1076mod pacing;
1077mod per_ack;
1078mod per_loss;
1079mod per_transmit;