gcp_sdk_gax/retry_throttler.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479
// Copyright 2025 Google LLC
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// https://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//! Defines traits for retry throttling and some common implementations.
//!
//! The client libraries automatically retry RPCs when (1) they fail due to
//! transient errors **and** the RPC is [idempotent], (2) or failed before an
//! RPC was started. That is, when it is safe to attempt the RPC more than once.
//!
//! Retry strategies that do not throttle themselves can slow down recovery when
//! the service is overloaded, or when recovering from a large incident. This is
//! also known as "retry storms": the retry attempts can grow to be more than
//! the normal traffic and hinder recovery.
//!
//! # Example
//! ```
//! # use gcp_sdk_gax::*;
//! # use gcp_sdk_gax::retry_throttler::*;
//! fn configure_throttler() -> http_client::ClientConfig {
//! let throttler = AdaptiveThrottler::default();
//! http_client::ClientConfig::default()
//! .set_retry_throttler(throttler)
//! }
//! ```
//!
//! [idempotent]: https://en.wikipedia.org/wiki/Idempotence
use crate::Result;
use crate::{error::Error, retry_policy::RetryFlow};
use std::sync::{Arc, Mutex};
/// Implementations of this trait prevent a client from sending too many retries.
///
/// Retry throttlers are shared by all the requests in a client, and may be even
/// shared by multiple clients. The library providers a default implementation
/// (and instance) on each client, but the application may override them.
///
/// Implementations of this trait must also implement [Debug][std::fmt::Debug]
/// because the application may need to log the client state. The trait is
/// passed between async functions, so its implementations must be `Send`
/// and `Sync`.
pub trait RetryThrottler: Send + Sync + std::fmt::Debug {
/// Called by the retry loop before issuing a retry attempt. Returns `true`
/// if the request should be throttled.
///
/// The retry loop would simulate a failure when this function returns
/// `false`. Note that the retry loop may stop if too many attempts are
/// throttled: they are treated as transient errors and may exhaust the
/// retry policy.
fn throttle_retry_attempt(&self) -> bool;
/// Called by the retry loop after a retry failure.
fn on_retry_failure(&mut self, flow: &crate::retry_policy::RetryFlow);
/// Called by the retry loop when a RPC succeeds.
fn on_success(&mut self);
}
// Retry throttlers are shared by many clients, so they are wrapped in `Arc<>`.
// They are (consequently) used from many threads at the same time, so they
// are wrapped in `Mutex`.
pub(crate) type RetryThrottlerWrapped = Arc<Mutex<dyn RetryThrottler>>;
/// A helper type to use [RetryThrottler] in client and request options.
#[derive(Clone)]
pub struct RetryThrottlerArg(pub(crate) RetryThrottlerWrapped);
impl<T: RetryThrottler + 'static> std::convert::From<T> for RetryThrottlerArg {
fn from(value: T) -> Self {
Self(Arc::new(Mutex::new(value)))
}
}
impl std::convert::From<RetryThrottlerWrapped> for RetryThrottlerArg {
fn from(value: RetryThrottlerWrapped) -> Self {
Self(value)
}
}
/// Implements a probabilistic throttler based on observed failure rates.
///
/// This is an implementation of the [Adaptive Throttling] strategy described
/// in [Site Reliability Engineering] book. The basic idea is to
/// *stochastically* reject some of the retry attempts, with a rejection
/// probability that increases as the number of failures increases, and
/// decreases with the number of successful requests.
///
/// The rejection rate probability is defined by:
///
/// ```norust
/// threshold = (requests - factor * accepts) / (requests + 1)
/// rejection_probability = max(0, threshold)
/// ```
///
/// Where `requests` is the number of requests completed, and `accepts` is the
/// number of requests accepted by the service, including requests that fail due
/// to parameter validation, authorization checks, or any non-transient
/// failures.
///
/// Note that `accepts <= requests` but the `threshold` value might be negative
/// as `factor` can be higher than `1.0`. In fact, the SRE book recommends using
/// `2.0` as the initial factor.
///
/// Setting `factor` to lower values makes the algorithm reject retry attempts
/// with higher probability. For example, setting it to zero would reject some
/// retry attempts even if all requests have succeeded. Setting `factor` to
/// higher values allows more retry attempts.
///
/// [Site Reliability Engineering]: https://sre.google/sre-book/table-of-contents/
/// [Adaptive Throttling]: https://sre.google/sre-book/handling-overload/
#[derive(Clone, Debug)]
pub struct AdaptiveThrottler {
accept_count: f64,
request_count: f64,
factor: f64,
}
impl AdaptiveThrottler {
/// Creates a new adaptive throttler with the given `factor`.
///
/// # Parameters
/// * `factor` - a factor to adjust the relative weight of transient
/// failures vs. accepted requests. See the struct definition for
/// details.
///
/// # Example
/// ```
/// # use gcp_sdk_gax::*;
/// # use gcp_sdk_gax::retry_throttler::*;
/// fn configure_throttler() -> Result<http_client::ClientConfig> {
/// let throttler = AdaptiveThrottler::new(2.0)?;
/// Ok(http_client::ClientConfig::default()
/// .set_retry_throttler(throttler))
/// }
/// ```
pub fn new(factor: f64) -> Result<Self> {
if factor < 0.0 {
return Err(Error::other(format!("factor ({factor}must be >= 0.0")));
}
let factor = if factor < 0.0 { 0.0 } else { factor };
Ok(Self::clamp(factor))
}
/// Creates a new adaptive throttler clamping `factor` to a valid range.
///
/// # Parameters
/// * `factor` - a factor to adjust the relative weight of transient
/// failures vs. accepted requests. See the struct definition for
/// details. Clamped to zero if the value is negative.
///
/// # Example
/// ```
/// # use gcp_sdk_gax::*;
/// # use gcp_sdk_gax::retry_throttler::*;
/// fn configure_throttler() -> options::ClientConfig {
/// let throttler = AdaptiveThrottler::clamp(2.0);
/// options::ClientConfig::default()
/// .set_retry_throttler(throttler)
/// }
/// ```
pub fn clamp(factor: f64) -> Self {
let factor = if factor < 0.0 { 0.0 } else { factor };
Self {
accept_count: 0.0,
request_count: 0.0,
factor,
}
}
// A testable version of `throttle_retry_attempt()`.
fn throttle<R: rand::Rng>(&self, rng: &mut R) -> bool {
let reject_probability =
(self.request_count - self.factor * self.accept_count) / (self.request_count + 1.0);
let reject_probability = if reject_probability < 0.0 {
0_f64
} else {
reject_probability
};
rng.gen_range(0.0..=1.0) <= reject_probability
}
}
impl std::default::Default for AdaptiveThrottler {
/// Returns an `AdaptiveThrottler` initialized to the recommended values.
///
/// # Example
/// ```
/// # use gcp_sdk_gax::*;
/// # use gcp_sdk_gax::retry_throttler::*;
/// fn configure_throttler() -> options::ClientConfig {
/// let throttler = AdaptiveThrottler::default();
/// options::ClientConfig::default()
/// .set_retry_throttler(throttler)
/// }
/// ```
fn default() -> Self {
Self::clamp(2.0)
}
}
impl RetryThrottler for AdaptiveThrottler {
fn throttle_retry_attempt(&self) -> bool {
self.throttle(&mut rand::thread_rng())
}
fn on_retry_failure(&mut self, flow: &crate::retry_policy::RetryFlow) {
self.request_count += 1.0;
match flow {
RetryFlow::Continue(_) | RetryFlow::Exhausted(_) => {}
RetryFlow::Permanent(_) => {
self.accept_count += 1.0;
}
};
}
fn on_success(&mut self) {
self.request_count += 1.0;
self.accept_count += 1.0;
}
}
/// A `CircuitBreaker`` throttler rejects retry attempts if the success rate is too low.
///
/// This struct implements the [gRPC throttler] algorithm. The throttler works
/// by tracking the number of available "tokens" for a retry attempt. If this
/// number goes below a threshold **all** retry attempts are throttled.
///
/// Retry failures decrement the number of tokens by a given cost. Completed
/// requests (successfully or not) increase the tokens by `1`.
///
/// Note: the number of tokens may go below the throttling threshold as
/// multiple concurrent requests may fail and decrease the token count.
///
/// Note: throttling only applies to retry attempts, the initial requests is
/// never throttled. This may increases the token count even if all retry
/// attempts are throttled.
///
/// [gRPC throttler]: https://github.com/grpc/proposal/blob/master/A6-client-retries.md
#[derive(Clone, Debug)]
pub struct CircuitBreaker {
max_tokens: u64,
min_tokens: u64,
cur_tokens: u64,
error_cost: u64,
}
impl CircuitBreaker {
/// Creates a new instance.
///
/// # Parameters
/// * `tokens` - the initial number of tokens. This is decreased by
/// `error_cost` on each retry failure, and increased by `1` when a
/// request succeeds.
/// * `min_tokens` - stops accepting retry attempts when the number of
/// tokens is at or below this value.
/// * `error_cost` - decrease the token count by this value on failed
/// request attempts.
///
/// # Example
/// ```
/// # use gcp_sdk_gax::*;
/// # use gcp_sdk_gax::retry_throttler::*;
/// fn configure_throttler() -> Result<http_client::ClientConfig> {
/// let throttler = CircuitBreaker::new(1000, 250, 10)?;
/// Ok(http_client::ClientConfig::default().set_retry_throttler(throttler))
/// }
/// ```
pub fn new(tokens: u64, min_tokens: u64, error_cost: u64) -> Result<Self> {
if min_tokens > tokens {
return Err(Error::other(format!(
"min_tokens ({min_tokens}) must be greater than the initial token count ({tokens})"
)));
}
Ok(Self {
max_tokens: tokens,
min_tokens,
cur_tokens: tokens,
error_cost,
})
}
/// Creates a new instance, adjusting `min_tokens` if needed.`
///
/// # Parameters
/// * `tokens` - the initial number of tokens. This is decreased by
/// `error_cost` on each retry failure, and increased by `1` when a
/// request succeeds.
/// * `min_tokens` - stops accepting retry attempts when the number of
/// tokens is at or below this value. Clamped to be `<= tokens`.
/// * `error_cost` - decrease the token count by this value on failed
/// request attempts.
///
/// # Example
/// ```
/// # use gcp_sdk_gax::*;
/// # use gcp_sdk_gax::retry_throttler::*;
/// fn configure_throttler() -> http_client::ClientConfig {
/// let throttler = CircuitBreaker::clamp(1000, 250, 10);
/// http_client::ClientConfig::default().set_retry_throttler(throttler)
/// }
/// ```
pub fn clamp(tokens: u64, min_tokens: u64, error_cost: u64) -> Self {
Self {
max_tokens: tokens,
min_tokens: std::cmp::min(min_tokens, tokens),
cur_tokens: tokens,
error_cost,
}
}
}
impl std::default::Default for CircuitBreaker {
/// Initialize a `CircuitBreaker` configured with recommended values.
///
/// # Example
/// ```
/// # use gcp_sdk_gax::*;
/// # use gcp_sdk_gax::retry_throttler::*;
/// fn configure_throttler() -> http_client::ClientConfig {
/// let throttler = CircuitBreaker::default();
/// http_client::ClientConfig::default().set_retry_throttler(throttler)
/// }
/// ```
fn default() -> Self {
CircuitBreaker::clamp(100, 50, 10)
}
}
impl RetryThrottler for CircuitBreaker {
fn throttle_retry_attempt(&self) -> bool {
self.cur_tokens <= self.min_tokens
}
fn on_retry_failure(&mut self, flow: &crate::retry_policy::RetryFlow) {
match flow {
RetryFlow::Continue(_) | RetryFlow::Exhausted(_) => {
self.cur_tokens = self.cur_tokens.saturating_sub(self.error_cost);
}
RetryFlow::Permanent(_) => {
self.on_success();
}
};
}
fn on_success(&mut self) {
self.cur_tokens = std::cmp::min(self.max_tokens, self.cur_tokens.saturating_add(1));
}
}
#[cfg(test)]
mod tests {
use super::*;
use rand::Rng;
type TestResult = std::result::Result<(), Box<dyn std::error::Error>>;
// Verify `RetryThrottlerArg` can be converted from the desired types.
#[test]
fn retry_throttler_arg() {
let throttler = AdaptiveThrottler::default();
let _ = RetryThrottlerArg::from(throttler);
let throttler: Arc<Mutex<dyn RetryThrottler>> =
Arc::new(Mutex::new(CircuitBreaker::default()));
let _ = RetryThrottlerArg::from(throttler);
}
#[test]
fn adaptive_construction() {
let throttler = AdaptiveThrottler::new(-2.0);
assert!(throttler.is_err());
let throttler = AdaptiveThrottler::new(0.0);
assert!(!throttler.is_err());
}
fn test_error() -> Error {
Error::other(format!("test only"))
}
#[test]
fn adaptive() -> TestResult {
let mut throttler = AdaptiveThrottler::default();
assert_eq!(throttler.request_count, 0.0);
assert_eq!(throttler.accept_count, 0.0);
assert_eq!(throttler.factor, 2.0);
assert!(!throttler.throttle_retry_attempt(), "{throttler:?}");
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
assert_eq!(throttler.request_count, 1.0);
assert_eq!(throttler.accept_count, 0.0);
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
assert_eq!(throttler.request_count, 2.0);
assert_eq!(throttler.accept_count, 0.0);
throttler.on_success();
assert_eq!(throttler.request_count, 3.0);
assert_eq!(throttler.accept_count, 1.0);
throttler.on_retry_failure(&RetryFlow::Permanent(test_error()));
assert_eq!(throttler.request_count, 4.0);
assert_eq!(throttler.accept_count, 2.0);
let mut throttler = AdaptiveThrottler::default();
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
// StepRng::new(x, 0) always produces the same value. We pick the values
// to trigger the desired behavior.
let mut rng = rand::rngs::mock::StepRng::new(0, 0);
assert_eq!(rng.gen_range(0.0..=1.0), 0.0);
assert!(throttler.throttle(&mut rng), "{throttler:?}");
let mut rng = rand::rngs::mock::StepRng::new(u64::MAX / 2 + 1, 0);
assert!(
rng.gen_range(0.0..=1.0) > 0.5,
"{}",
rng.gen_range(0.0..=1.0)
);
assert!(!throttler.throttle(&mut rng), "{throttler:?}");
// This creates a throttler with reject probability == 0.
let mut throttler = AdaptiveThrottler::new(100.0)?;
throttler.on_success();
assert_eq!(false, throttler.throttle_retry_attempt(), "{throttler:?}");
Ok(())
}
#[test]
fn circuit_breaker_validation() {
let throttler = CircuitBreaker::new(100, 200, 1);
assert!(throttler.is_err());
}
#[test]
fn circuit_breaker() {
let mut throttler = CircuitBreaker::default();
assert!(!throttler.throttle_retry_attempt(), "{throttler:?}");
for _ in 0..4 {
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
assert!(!throttler.throttle_retry_attempt(), "{throttler:?}");
}
// This crosses the threshold:
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
assert!(throttler.throttle_retry_attempt(), "{throttler:?}");
// With the default settings, we will need about 10x successful calls
// to recover.
for _ in 0..10 {
throttler.on_success();
assert!(throttler.throttle_retry_attempt(), "{throttler:?}");
}
throttler.on_success();
assert!(!throttler.throttle_retry_attempt(), "{throttler:?}");
// Permanent errors also open back the throttle.
throttler.on_retry_failure(&RetryFlow::Continue(test_error()));
for _ in 0..9 {
throttler.on_retry_failure(&&RetryFlow::Permanent(test_error()));
assert!(throttler.throttle_retry_attempt(), "{throttler:?}");
}
throttler.on_retry_failure(&&RetryFlow::Permanent(test_error()));
assert!(!throttler.throttle_retry_attempt(), "{throttler:?}");
}
}