quiche/recovery/gcongestion/bbr2/
network_model.rs

1// Copyright (c) 2015 The Chromium Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5// Copyright (C) 2023, Cloudflare, Inc.
6// All rights reserved.
7//
8// Redistribution and use in source and binary forms, with or without
9// modification, are permitted provided that the following conditions are
10// met:
11//
12//     * Redistributions of source code must retain the above copyright notice,
13//       this list of conditions and the following disclaimer.
14//
15//     * Redistributions in binary form must reproduce the above copyright
16//       notice, this list of conditions and the following disclaimer in the
17//       documentation and/or other materials provided with the distribution.
18//
19// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS
20// IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO,
21// THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
22// PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR
23// CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
24// EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
25// PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
26// PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
27// LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
28// NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
29// SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
30
31use std::ops::Add;
32use std::time::Duration;
33use std::time::Instant;
34
35use crate::recovery::gcongestion::bandwidth::Bandwidth;
36use crate::recovery::gcongestion::bbr::BandwidthSampler;
37use crate::recovery::gcongestion::Lost;
38use crate::recovery::rtt::RttStats;
39use crate::recovery::rtt::INITIAL_RTT;
40
41use super::Acked;
42use super::BBRv2CongestionEvent;
43use super::BwLoMode;
44use super::PARAMS;
45
46pub(super) const DEFAULT_MSS: usize = 1300;
47
48#[derive(Debug)]
49struct RoundTripCounter {
50    round_trip_count: usize,
51    last_sent_packet: u64,
52    // The last sent packet number of the current round trip.
53    end_of_round_trip: Option<u64>,
54}
55
56impl RoundTripCounter {
57    /// Must be called in ascending packet number order.
58    fn on_packet_sent(&mut self, packet_number: u64) {
59        self.last_sent_packet = packet_number;
60    }
61
62    /// Return whether a round trip has just completed.
63    fn on_packets_acked(&mut self, last_acked_packet: u64) -> bool {
64        match self.end_of_round_trip {
65            Some(pkt) if last_acked_packet <= pkt => false,
66            _ => {
67                self.round_trip_count += 1;
68                self.end_of_round_trip = Some(self.last_sent_packet);
69                true
70            },
71        }
72    }
73
74    fn restart_round(&mut self) {
75        self.end_of_round_trip = Some(self.last_sent_packet)
76    }
77}
78
79#[derive(Debug)]
80struct MinRttFilter {
81    min_rtt: Duration,
82    min_rtt_timestamp: Instant,
83}
84
85impl MinRttFilter {
86    fn get(&self) -> Duration {
87        self.min_rtt
88    }
89
90    fn get_timestamps(&self) -> Instant {
91        self.min_rtt_timestamp
92    }
93
94    fn update(&mut self, sample_rtt: Duration, now: Instant) {
95        if sample_rtt < self.min_rtt {
96            self.min_rtt = sample_rtt;
97            self.min_rtt_timestamp = now;
98        }
99    }
100
101    fn force_update(&mut self, sample_rtt: Duration, now: Instant) {
102        self.min_rtt = sample_rtt;
103        self.min_rtt_timestamp = now;
104    }
105}
106
107#[derive(Debug)]
108struct MaxBandwidthFilter {
109    max_bandwidth: [Bandwidth; 2],
110}
111
112impl MaxBandwidthFilter {
113    fn get(&self) -> Bandwidth {
114        self.max_bandwidth[0].max(self.max_bandwidth[1])
115    }
116
117    fn update(&mut self, sample: Bandwidth) {
118        self.max_bandwidth[1] = self.max_bandwidth[1].max(sample);
119    }
120
121    fn advance(&mut self) {
122        if self.max_bandwidth[1] == Bandwidth::zero() {
123            return;
124        }
125
126        self.max_bandwidth[0] = self.max_bandwidth[1];
127        self.max_bandwidth[1] = Bandwidth::zero();
128    }
129}
130
131/// Bbr2NetworkModel takes low level congestion signals(packets sent/acked/lost)
132/// as input and produces BBRv2 model parameters like inflight_(hi|lo),
133/// bandwidth_(hi|lo), bandwidth and rtt estimates, etc.
134#[derive(Debug)]
135pub(super) struct BBRv2NetworkModel {
136    round_trip_counter: RoundTripCounter,
137    /// Bandwidth sampler provides BBR with the bandwidth measurements at
138    /// individual points.
139    bandwidth_sampler: BandwidthSampler,
140    /// The filter that tracks the maximum bandwidth over multiple recent round
141    /// trips.
142    max_bandwidth_filter: MaxBandwidthFilter,
143    min_rtt_filter: MinRttFilter,
144    /// Bytes lost in the current round. Updated once per congestion event.
145    bytes_lost_in_round: usize,
146    /// Number of loss marking events in the current round.
147    loss_events_in_round: usize,
148
149    /// A max of bytes delivered among all congestion events in the current
150    /// round. A congestions event's bytes delivered is the total bytes
151    /// acked between time Ts and Ta, which is the time when the largest
152    /// acked packet(within the congestion event) was sent and acked,
153    /// respectively.
154    max_bytes_delivered_in_round: usize,
155
156    /// The minimum bytes in flight during this round.
157    min_bytes_in_flight_in_round: usize,
158    /// True if sending was limited by inflight_hi anytime in the current round.
159    inflight_hi_limited_in_round: bool,
160
161    /// Max bandwidth in the current round. Updated once per congestion event.
162    bandwidth_latest: Bandwidth,
163    /// Max bandwidth of recent rounds. Updated once per round.
164    bandwidth_lo: Option<Bandwidth>,
165    prior_bandwidth_lo: Option<Bandwidth>,
166
167    /// Max inflight in the current round. Updated once per congestion event.
168    inflight_latest: usize,
169    /// Max inflight of recent rounds. Updated once per round.
170    inflight_lo: usize,
171    inflight_hi: usize,
172
173    cwnd_gain: f32,
174    pacing_gain: f32,
175
176    /// Whether we are cwnd limited prior to the start of the current
177    /// aggregation epoch.
178    cwnd_limited_before_aggregation_epoch: bool,
179
180    /// STARTUP-centric fields which experimentally used by PROBE_UP.
181    full_bandwidth_reached: bool,
182    full_bandwidth_baseline: Bandwidth,
183    rounds_without_bandwidth_growth: usize,
184
185    // Used by STARTUP and PROBE_UP to decide when to exit.
186    rounds_with_queueing: usize,
187}
188
189impl BBRv2NetworkModel {
190    pub(super) fn new(
191        cwnd_gain: f32, pacing_gain: f32, overestimate_avoidance: bool,
192    ) -> Self {
193        BBRv2NetworkModel {
194            min_bytes_in_flight_in_round: usize::MAX,
195            inflight_hi_limited_in_round: false,
196            bandwidth_sampler: BandwidthSampler::new(
197                PARAMS.initial_max_ack_height_filter_window,
198                overestimate_avoidance,
199            ),
200            round_trip_counter: RoundTripCounter {
201                round_trip_count: 0,
202                last_sent_packet: 0,
203                end_of_round_trip: None,
204            },
205            min_rtt_filter: MinRttFilter {
206                min_rtt: INITIAL_RTT,
207                min_rtt_timestamp: Instant::now(),
208            },
209            max_bandwidth_filter: MaxBandwidthFilter {
210                max_bandwidth: [Bandwidth::zero(), Bandwidth::zero()],
211            },
212            cwnd_limited_before_aggregation_epoch: false,
213            cwnd_gain,
214            pacing_gain,
215            full_bandwidth_reached: false,
216            bytes_lost_in_round: 0,
217            loss_events_in_round: 0,
218            max_bytes_delivered_in_round: 0,
219            bandwidth_latest: Bandwidth::zero(),
220            bandwidth_lo: None,
221            prior_bandwidth_lo: None,
222            inflight_latest: 0,
223            inflight_lo: usize::MAX,
224            inflight_hi: usize::MAX,
225
226            full_bandwidth_baseline: Bandwidth::zero(),
227            rounds_without_bandwidth_growth: 0,
228            rounds_with_queueing: 0,
229        }
230    }
231
232    pub(super) fn max_ack_height(&self) -> usize {
233        self.bandwidth_sampler.max_ack_height().unwrap_or(0)
234    }
235
236    pub(super) fn bandwidth_estimate(&self) -> Bandwidth {
237        match (self.bandwidth_lo, self.max_bandwidth()) {
238            (None, b) => b,
239            (Some(a), b) => a.min(b),
240        }
241    }
242
243    pub(super) fn bdp(&self, bandwidth: Bandwidth, gain: f32) -> usize {
244        (bandwidth * gain).to_bytes_per_period(self.min_rtt()) as usize
245    }
246
247    pub(super) fn bdp1(&self, bandwidth: Bandwidth) -> usize {
248        self.bdp(bandwidth, 1.0)
249    }
250
251    pub(super) fn bdp0(&self) -> usize {
252        self.bdp1(self.max_bandwidth())
253    }
254
255    pub(super) fn min_rtt(&self) -> Duration {
256        self.min_rtt_filter.get()
257    }
258
259    pub(super) fn min_rtt_timestamp(&self) -> Instant {
260        self.min_rtt_filter.get_timestamps()
261    }
262
263    pub(super) fn max_bandwidth(&self) -> Bandwidth {
264        self.max_bandwidth_filter.get()
265    }
266
267    pub(super) fn on_packet_sent(
268        &mut self, sent_time: Instant, bytes_in_flight: usize,
269        packet_number: u64, bytes: usize, is_retransmissible: bool,
270        _rtt_stats: &RttStats,
271    ) {
272        // Updating the min here ensures a more realistic (0) value when flows
273        // exit quiescence.
274        self.min_bytes_in_flight_in_round =
275            self.min_bytes_in_flight_in_round.min(bytes_in_flight);
276
277        if bytes_in_flight + bytes >= self.inflight_hi {
278            self.inflight_hi_limited_in_round = true;
279        }
280        self.round_trip_counter.on_packet_sent(packet_number);
281
282        self.bandwidth_sampler.on_packet_sent(
283            sent_time,
284            packet_number,
285            bytes,
286            bytes_in_flight,
287            is_retransmissible,
288        );
289    }
290
291    pub(super) fn on_congestion_event_start(
292        &mut self, acked_packets: &[Acked], lost_packets: &[Lost],
293        congestion_event: &mut BBRv2CongestionEvent,
294    ) {
295        let prior_bytes_acked = self.total_bytes_acked();
296        let prior_bytes_lost = self.total_bytes_lost();
297
298        let event_time = congestion_event.event_time;
299
300        congestion_event.end_of_round_trip =
301            if let Some(largest_acked) = acked_packets.last() {
302                self.round_trip_counter
303                    .on_packets_acked(largest_acked.pkt_num)
304            } else {
305                false
306            };
307
308        let sample = self.bandwidth_sampler.on_congestion_event(
309            event_time,
310            acked_packets,
311            lost_packets,
312            Some(self.max_bandwidth()),
313            self.bandwidth_lo.unwrap_or(Bandwidth::infinite()),
314            self.round_trip_count(),
315        );
316
317        if sample.extra_acked == 0 {
318            self.cwnd_limited_before_aggregation_epoch = congestion_event
319                .prior_bytes_in_flight >=
320                congestion_event.prior_cwnd;
321        }
322
323        if sample.last_packet_send_state.is_valid {
324            congestion_event.last_packet_send_state =
325                sample.last_packet_send_state;
326        }
327
328        // Avoid updating `max_bandwidth_filter` if a) this is a loss-only event,
329        // or b) all packets in `acked_packets` did not generate valid
330        // samples. (e.g. ack of ack-only packets). In both cases,
331        // total_bytes_acked() will not change.
332        if let Some(sample_max) = sample.sample_max_bandwidth {
333            if prior_bytes_acked != self.total_bytes_acked() {
334                congestion_event.sample_max_bandwidth = Some(sample_max);
335                if !sample.sample_is_app_limited ||
336                    sample_max > self.max_bandwidth()
337                {
338                    self.max_bandwidth_filter.update(sample_max);
339                }
340            }
341        }
342
343        if let Some(rtt_sample) = sample.sample_rtt {
344            congestion_event.sample_min_rtt = Some(rtt_sample);
345            self.min_rtt_filter.update(rtt_sample, event_time);
346        }
347
348        congestion_event.bytes_acked =
349            self.total_bytes_acked() - prior_bytes_acked;
350        congestion_event.bytes_lost = self.total_bytes_lost() - prior_bytes_lost;
351
352        congestion_event.bytes_in_flight = congestion_event
353            .prior_bytes_in_flight
354            .saturating_sub(congestion_event.bytes_acked)
355            .saturating_sub(congestion_event.bytes_lost);
356
357        if congestion_event.bytes_lost > 0 {
358            self.bytes_lost_in_round += congestion_event.bytes_lost;
359            self.loss_events_in_round += 1;
360        }
361
362        if congestion_event.bytes_acked > 0 &&
363            congestion_event.last_packet_send_state.is_valid &&
364            self.total_bytes_acked() >
365                congestion_event.last_packet_send_state.total_bytes_acked
366        {
367            let bytes_delivered = self.total_bytes_acked() -
368                congestion_event.last_packet_send_state.total_bytes_acked;
369            self.max_bytes_delivered_in_round =
370                self.max_bytes_delivered_in_round.max(bytes_delivered);
371        }
372
373        self.min_bytes_in_flight_in_round = self
374            .min_bytes_in_flight_in_round
375            .min(congestion_event.bytes_in_flight);
376
377        // `bandwidth_latest` and `inflight_latest` only increased within a
378        // round.
379        if sample.sample_max_bandwidth > Some(self.bandwidth_latest) {
380            self.bandwidth_latest = sample.sample_max_bandwidth.unwrap();
381        }
382
383        if sample.sample_max_inflight > self.inflight_latest {
384            self.inflight_latest = sample.sample_max_inflight;
385        }
386
387        // Adapt lower bounds(bandwidth_lo and inflight_lo).
388        self.adapt_lower_bounds(congestion_event);
389
390        if !congestion_event.end_of_round_trip {
391            return;
392        }
393
394        if let Some(bandwidth) = sample.sample_max_bandwidth {
395            self.bandwidth_latest = bandwidth;
396        }
397
398        if sample.sample_max_inflight > 0 {
399            self.inflight_latest = sample.sample_max_inflight;
400        }
401    }
402
403    pub(super) fn on_packet_neutered(&mut self, packet_number: u64) {
404        self.bandwidth_sampler.on_packet_neutered(packet_number)
405    }
406
407    fn adapt_lower_bounds(&mut self, congestion_event: &BBRv2CongestionEvent) {
408        if PARAMS.bw_lo_mode == BwLoMode::Default {
409            if !congestion_event.end_of_round_trip ||
410                congestion_event.is_probing_for_bandwidth
411            {
412                return;
413            }
414
415            if self.bytes_lost_in_round > 0 {
416                if self.bandwidth_lo.is_none() {
417                    self.bandwidth_lo = Some(self.max_bandwidth());
418                }
419
420                self.bandwidth_lo = Some(
421                    self.bandwidth_latest
422                        .max(self.bandwidth_lo.unwrap() * (1.0 - PARAMS.beta)),
423                );
424
425                if self.inflight_lo == usize::MAX {
426                    self.inflight_lo = congestion_event.prior_cwnd;
427                }
428
429                let inflight_lo_new =
430                    (self.inflight_lo as f32 * (1.0 - PARAMS.beta)) as usize;
431                self.inflight_lo = self.inflight_latest.max(inflight_lo_new);
432            }
433            return;
434        }
435
436        if congestion_event.bytes_lost == 0 {
437            return;
438        }
439
440        // Ignore losses from packets sent when probing for more bandwidth in
441        // STARTUP or PROBE_UP when they're lost in DRAIN or PROBE_DOWN.
442        if self.pacing_gain() < 1. {
443            return;
444        }
445
446        // Decrease bandwidth_lo whenever there is loss.
447        // Set `bandwidth_lo`if it is not yet set.
448        if self.bandwidth_lo.is_none() {
449            self.bandwidth_lo = Some(self.max_bandwidth());
450        }
451
452        // Save `bandwidth_lo` if it hasn't already been saved.
453        if self.prior_bandwidth_lo.is_none() {
454            self.prior_bandwidth_lo = self.bandwidth_lo;
455        }
456
457        match PARAMS.bw_lo_mode {
458            BwLoMode::Default => unreachable!("Handled above"),
459            BwLoMode::MinRttReduction => {
460                let reduction = Bandwidth::from_bytes_and_time_delta(
461                    congestion_event.bytes_lost,
462                    self.min_rtt(),
463                );
464
465                self.bandwidth_lo = self
466                    .bandwidth_lo
467                    .map(|b| (b - reduction).unwrap_or(Bandwidth::zero()));
468            },
469            BwLoMode::InflightReduction => {
470                // Use a max of BDP and inflight to avoid starving app-limited
471                // flows.
472                let effective_inflight =
473                    self.bdp0().max(congestion_event.prior_bytes_in_flight);
474                // This could use bytes_lost_in_round if the bandwidth_lo_ was
475                // saved when entering 'recovery', but this BBRv2
476                // implementation doesn't have recovery defined.
477                self.bandwidth_lo = self.bandwidth_lo.map(|b| {
478                    b * ((effective_inflight as f64 -
479                        congestion_event.bytes_lost as f64) /
480                        effective_inflight as f64)
481                });
482            },
483            BwLoMode::CwndReduction => {
484                self.bandwidth_lo = self.bandwidth_lo.map(|b| {
485                    b * ((congestion_event.prior_cwnd as f64 -
486                        congestion_event.bytes_lost as f64) /
487                        congestion_event.prior_cwnd as f64)
488                });
489            },
490        }
491
492        let mut last_bandwidth = self.bandwidth_latest;
493        // sample_max_bandwidth will be None if the loss is triggered by a timer
494        // expiring. Ideally we'd use the most recent bandwidth sample,
495        // but bandwidth_latest is safer than None.
496        if congestion_event.sample_max_bandwidth.is_some() {
497            // bandwidth_latest is the max bandwidth for the round, but to allow
498            // fast, conservation style response to loss, use the last sample.
499            last_bandwidth = congestion_event.sample_max_bandwidth.unwrap();
500        }
501        if self.pacing_gain > PARAMS.full_bw_threshold {
502            // In STARTUP, `pacing_gain` is applied to `bandwidth_lo` in
503            // update_pacing_rate, so this backs that multiplication out to allow
504            // the pacing rate to decrease, but not below
505            // last_bandwidth * full_bw_threshold.
506            self.bandwidth_lo = self.bandwidth_lo.max(Some(
507                last_bandwidth * (PARAMS.full_bw_threshold / self.pacing_gain),
508            ));
509        } else {
510            // Ensure bandwidth_lo isn't lower than last_bandwidth.
511            self.bandwidth_lo = self.bandwidth_lo.max(Some(last_bandwidth))
512        }
513        // If it's the end of the round, ensure bandwidth_lo doesn't decrease more
514        // than beta.
515        if congestion_event.end_of_round_trip {
516            self.bandwidth_lo = self.bandwidth_lo.max(
517                self.prior_bandwidth_lo
518                    .take()
519                    .map(|b| b * (1.0 - PARAMS.beta)),
520            )
521        }
522        // These modes ignore inflight_lo as well.
523    }
524
525    pub(super) fn on_congestion_event_finish(
526        &mut self, least_unacked_packet: u64,
527        congestion_event: &BBRv2CongestionEvent,
528    ) {
529        if congestion_event.end_of_round_trip {
530            self.on_new_round();
531        }
532
533        self.bandwidth_sampler
534            .remove_obsolete_packets(least_unacked_packet);
535    }
536
537    pub(super) fn maybe_expire_min_rtt(
538        &mut self, congestion_event: &BBRv2CongestionEvent,
539    ) -> bool {
540        if congestion_event.sample_min_rtt.is_none() {
541            return false;
542        }
543
544        if congestion_event.event_time <
545            self.min_rtt_filter.min_rtt_timestamp + PARAMS.probe_rtt_period
546        {
547            return false;
548        }
549
550        self.min_rtt_filter.force_update(
551            congestion_event.sample_min_rtt.unwrap(),
552            congestion_event.event_time,
553        );
554
555        true
556    }
557
558    pub(super) fn is_inflight_too_high(
559        &self, congestion_event: &BBRv2CongestionEvent, max_loss_events: usize,
560    ) -> bool {
561        let send_state = &congestion_event.last_packet_send_state;
562
563        if !send_state.is_valid {
564            // Not enough information.
565            return false;
566        }
567
568        if self.loss_events_in_round < max_loss_events {
569            return false;
570        }
571
572        // TODO(vlad): BytesInFlight(send_state);
573        let inflight_at_send = send_state.bytes_in_flight;
574
575        let bytes_lost_in_round = self.bytes_lost_in_round;
576
577        if inflight_at_send > 0 && bytes_lost_in_round > 0 {
578            let lost_in_round_threshold =
579                (inflight_at_send as f32 * PARAMS.loss_threshold) as usize;
580            if bytes_lost_in_round > lost_in_round_threshold {
581                return true;
582            }
583        }
584
585        false
586    }
587
588    pub(super) fn restart_round_early(&mut self) {
589        self.on_new_round();
590        self.round_trip_counter.restart_round();
591        self.rounds_with_queueing = 0;
592    }
593
594    fn on_new_round(&mut self) {
595        self.bytes_lost_in_round = 0;
596        self.loss_events_in_round = 0;
597        self.max_bytes_delivered_in_round = 0;
598        self.min_bytes_in_flight_in_round = usize::MAX;
599        self.inflight_hi_limited_in_round = false;
600    }
601
602    pub(super) fn has_bandwidth_growth(
603        &mut self, congestion_event: &BBRv2CongestionEvent,
604    ) -> bool {
605        let threshold = self.full_bandwidth_baseline * PARAMS.full_bw_threshold;
606
607        if self.max_bandwidth() >= threshold {
608            self.full_bandwidth_baseline = self.max_bandwidth();
609            self.rounds_without_bandwidth_growth = 0;
610            return true;
611        }
612
613        self.rounds_without_bandwidth_growth += 1;
614
615        // full_bandwidth_reached is only set to true when not app-limited
616        if self.rounds_without_bandwidth_growth >= PARAMS.startup_full_bw_rounds &&
617            !congestion_event.last_packet_send_state.is_app_limited
618        {
619            self.full_bandwidth_reached = true;
620        }
621
622        false
623    }
624
625    pub(super) fn queueing_threshold_extra_bytes(&self) -> usize {
626        // TODO(vlad): 2 * mss
627        2 * DEFAULT_MSS
628    }
629
630    pub(super) fn check_persistent_queue(&mut self, target_gain: f32) {
631        let target = self
632            .bdp(self.max_bandwidth(), target_gain)
633            .max(self.bdp0() + self.queueing_threshold_extra_bytes());
634
635        if self.min_bytes_in_flight_in_round < target {
636            self.rounds_with_queueing = 0;
637            return;
638        }
639
640        self.rounds_with_queueing += 1;
641        #[allow(clippy::absurd_extreme_comparisons)]
642        if self.rounds_with_queueing >= PARAMS.max_startup_queue_rounds {
643            self.full_bandwidth_reached = true;
644        }
645    }
646
647    pub(super) fn max_bytes_delivered_in_round(&self) -> usize {
648        self.max_bytes_delivered_in_round
649    }
650
651    pub(super) fn total_bytes_acked(&self) -> usize {
652        self.bandwidth_sampler.total_bytes_acked()
653    }
654
655    pub(super) fn total_bytes_lost(&self) -> usize {
656        self.bandwidth_sampler.total_bytes_lost()
657    }
658
659    fn round_trip_count(&self) -> usize {
660        self.round_trip_counter.round_trip_count
661    }
662
663    pub(super) fn full_bandwidth_reached(&self) -> bool {
664        self.full_bandwidth_reached
665    }
666
667    pub(super) fn set_full_bandwidth_reached(&mut self) {
668        self.full_bandwidth_reached = true
669    }
670
671    pub(super) fn pacing_gain(&self) -> f32 {
672        self.pacing_gain
673    }
674
675    pub(super) fn set_pacing_gain(&mut self, pacing_gain: f32) {
676        self.pacing_gain = pacing_gain
677    }
678
679    pub(super) fn cwnd_gain(&self) -> f32 {
680        self.cwnd_gain
681    }
682
683    pub(super) fn set_cwnd_gain(&mut self, cwnd_gain: f32) {
684        self.cwnd_gain = cwnd_gain
685    }
686
687    pub(super) fn inflight_hi(&self) -> usize {
688        self.inflight_hi
689    }
690
691    pub(super) fn inflight_hi_with_headroom(&self) -> usize {
692        let headroom =
693            (self.inflight_hi as f32 * PARAMS.inflight_hi_headroom) as usize;
694        self.inflight_hi.saturating_sub(headroom)
695    }
696
697    pub(super) fn set_inflight_hi(&mut self, new_inflight_hi: usize) {
698        self.inflight_hi = new_inflight_hi
699    }
700
701    pub(super) fn inflight_hi_default(&self) -> usize {
702        usize::MAX
703    }
704
705    pub(super) fn inflight_lo(&self) -> usize {
706        self.inflight_lo
707    }
708
709    pub(super) fn clear_inflight_lo(&mut self) {
710        self.inflight_lo = usize::MAX
711    }
712
713    pub(super) fn cap_inflight_lo(&mut self, cap: usize) {
714        if self.inflight_lo != usize::MAX {
715            self.inflight_lo = cap.min(self.inflight_lo)
716        }
717    }
718
719    pub(super) fn clear_bandwidth_lo(&mut self) {
720        self.bandwidth_lo = None
721    }
722
723    pub(super) fn advance_max_bandwidth_filter(&mut self) {
724        self.max_bandwidth_filter.advance()
725    }
726
727    pub(super) fn postpone_min_rtt_timestamp(&mut self, duration: Duration) {
728        self.min_rtt_filter
729            .force_update(self.min_rtt(), self.min_rtt_timestamp().add(duration));
730    }
731
732    pub(super) fn on_app_limited(&mut self) {
733        self.bandwidth_sampler.on_app_limited()
734    }
735
736    pub(super) fn loss_events_in_round(&self) -> usize {
737        self.loss_events_in_round
738    }
739
740    pub(super) fn rounds_with_queueing(&self) -> usize {
741        self.rounds_with_queueing
742    }
743}