sentinel_common/
types.rs

1//! Common type definitions for Sentinel proxy.
2//!
3//! This module provides shared type definitions used throughout the platform,
4//! with a focus on type safety and operational clarity.
5//!
6//! For identifier types (CorrelationId, RequestId, etc.), see the `ids` module.
7
8use serde::{Deserialize, Serialize};
9use std::fmt;
10use std::str::FromStr;
11
12/// HTTP method wrapper with validation
13#[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
14pub enum HttpMethod {
15    GET,
16    POST,
17    PUT,
18    DELETE,
19    HEAD,
20    OPTIONS,
21    PATCH,
22    CONNECT,
23    TRACE,
24    #[serde(untagged)]
25    Custom(String),
26}
27
28impl FromStr for HttpMethod {
29    type Err = std::convert::Infallible;
30
31    fn from_str(s: &str) -> Result<Self, Self::Err> {
32        Ok(match s.to_uppercase().as_str() {
33            "GET" => Self::GET,
34            "POST" => Self::POST,
35            "PUT" => Self::PUT,
36            "DELETE" => Self::DELETE,
37            "HEAD" => Self::HEAD,
38            "OPTIONS" => Self::OPTIONS,
39            "PATCH" => Self::PATCH,
40            "CONNECT" => Self::CONNECT,
41            "TRACE" => Self::TRACE,
42            other => Self::Custom(other.to_string()),
43        })
44    }
45}
46
47impl fmt::Display for HttpMethod {
48    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
49        match self {
50            Self::GET => write!(f, "GET"),
51            Self::POST => write!(f, "POST"),
52            Self::PUT => write!(f, "PUT"),
53            Self::DELETE => write!(f, "DELETE"),
54            Self::HEAD => write!(f, "HEAD"),
55            Self::OPTIONS => write!(f, "OPTIONS"),
56            Self::PATCH => write!(f, "PATCH"),
57            Self::CONNECT => write!(f, "CONNECT"),
58            Self::TRACE => write!(f, "TRACE"),
59            Self::Custom(method) => write!(f, "{}", method),
60        }
61    }
62}
63
64/// TLS version
65#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash, Serialize, Deserialize)]
66pub enum TlsVersion {
67    #[serde(rename = "TLS1.2")]
68    Tls12,
69    #[serde(rename = "TLS1.3")]
70    Tls13,
71}
72
73impl fmt::Display for TlsVersion {
74    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
75        match self {
76            Self::Tls12 => write!(f, "TLS1.2"),
77            Self::Tls13 => write!(f, "TLS1.3"),
78        }
79    }
80}
81
82/// Trace ID format selection.
83///
84/// Controls how trace IDs are generated for request tracing.
85///
86/// # Formats
87///
88/// - **TinyFlake** (default): 11-character Base58 encoded ID with time prefix.
89///   Operator-friendly format designed for easy copying and log correlation.
90///   Example: `k7BxR3nVp2Ym`
91///
92/// - **UUID**: Standard 36-character UUID v4 format with dashes.
93///   Guaranteed unique, widely compatible.
94///   Example: `550e8400-e29b-41d4-a716-446655440000`
95///
96/// # Configuration
97///
98/// ```kdl
99/// server {
100///     trace-id-format "tinyflake"  // or "uuid"
101/// }
102/// ```
103#[derive(Debug, Clone, Copy, PartialEq, Eq, Default, Serialize, Deserialize)]
104#[serde(rename_all = "lowercase")]
105pub enum TraceIdFormat {
106    /// TinyFlake format: 11-char Base58, time-prefixed (default)
107    #[default]
108    TinyFlake,
109
110    /// UUID v4 format: 36-char with dashes
111    Uuid,
112}
113
114impl TraceIdFormat {
115    /// Parse format from string (case-insensitive)
116    pub fn from_str_loose(s: &str) -> Self {
117        match s.to_lowercase().as_str() {
118            "uuid" | "uuid4" | "uuidv4" => TraceIdFormat::Uuid,
119            _ => TraceIdFormat::TinyFlake, // Default to TinyFlake
120        }
121    }
122}
123
124impl fmt::Display for TraceIdFormat {
125    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
126        match self {
127            TraceIdFormat::TinyFlake => write!(f, "tinyflake"),
128            TraceIdFormat::Uuid => write!(f, "uuid"),
129        }
130    }
131}
132
133/// Load balancing algorithm
134#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize)]
135#[serde(rename_all = "snake_case")]
136pub enum LoadBalancingAlgorithm {
137    RoundRobin,
138    LeastConnections,
139    Random,
140    IpHash,
141    Weighted,
142    ConsistentHash,
143    PowerOfTwoChoices,
144    Adaptive,
145    /// Least tokens queued - for inference/LLM workloads
146    ///
147    /// Selects the upstream with the fewest estimated tokens currently
148    /// being processed. Useful for LLM inference backends where token
149    /// throughput varies significantly between requests.
150    LeastTokensQueued,
151    /// Maglev consistent hashing - Google's load balancing algorithm
152    ///
153    /// Provides minimal disruption when backend servers are added/removed,
154    /// with better load distribution than traditional consistent hashing.
155    /// Uses a permutation-based lookup table for O(1) selection.
156    Maglev,
157    /// Locality-aware load balancing
158    ///
159    /// Prefers targets in the same zone/region as the proxy, falling back
160    /// to other zones when local targets are unhealthy or overloaded.
161    /// Useful for multi-region deployments to minimize latency.
162    LocalityAware,
163    /// Peak EWMA (Exponentially Weighted Moving Average)
164    ///
165    /// Twitter Finagle's algorithm that tracks latency using EWMA and selects
166    /// the backend with the lowest predicted completion time. Reacts quickly
167    /// to latency spikes by using the peak of EWMA and recent latency.
168    PeakEwma,
169    /// Deterministic Subsetting
170    ///
171    /// For very large clusters (1000+ backends), limits each proxy instance
172    /// to a deterministic subset of backends. Reduces connection overhead
173    /// while ensuring even distribution across all proxies.
174    DeterministicSubset,
175    /// Weighted Least Connections
176    ///
177    /// Combines weight with connection counting. Selects the backend with
178    /// the lowest ratio of active connections to weight. Useful when backends
179    /// have different capacities.
180    WeightedLeastConnections,
181    /// Cookie-based sticky sessions
182    ///
183    /// Routes requests to the same backend based on an affinity cookie.
184    /// Falls back to a configurable algorithm when no cookie is present or
185    /// the target is unavailable. Useful for stateful applications that
186    /// require session affinity.
187    Sticky,
188}
189
190/// Health check type
191#[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
192#[serde(rename_all = "snake_case")]
193pub enum HealthCheckType {
194    Http {
195        path: String,
196        expected_status: u16,
197        #[serde(skip_serializing_if = "Option::is_none")]
198        host: Option<String>,
199    },
200    Tcp,
201    Grpc {
202        service: String,
203    },
204    /// Inference health check for LLM/AI backends
205    ///
206    /// Probes the `/v1/models` endpoint (or custom endpoint) to verify
207    /// the inference server is running and expected models are available.
208    /// Optionally includes enhanced readiness checks for model availability.
209    Inference {
210        /// Endpoint to probe (default: "/v1/models")
211        endpoint: String,
212        /// Expected models that must be available (optional)
213        #[serde(default, skip_serializing_if = "Vec::is_empty")]
214        expected_models: Vec<String>,
215        /// Enhanced readiness checks (optional)
216        #[serde(default, skip_serializing_if = "Option::is_none")]
217        readiness: Option<crate::inference::InferenceReadinessConfig>,
218    },
219}
220
221/// Retry policy
222#[derive(Debug, Clone, Serialize, Deserialize)]
223pub struct RetryPolicy {
224    pub max_attempts: u32,
225    pub timeout_ms: u64,
226    pub backoff_base_ms: u64,
227    pub backoff_max_ms: u64,
228    pub retryable_status_codes: Vec<u16>,
229}
230
231impl Default for RetryPolicy {
232    fn default() -> Self {
233        Self {
234            max_attempts: 3,
235            timeout_ms: 30000,
236            backoff_base_ms: 100,
237            backoff_max_ms: 10000,
238            retryable_status_codes: vec![502, 503, 504],
239        }
240    }
241}
242
243/// Circuit breaker configuration
244#[derive(Debug, Clone, Serialize, Deserialize)]
245pub struct CircuitBreakerConfig {
246    pub failure_threshold: u32,
247    pub success_threshold: u32,
248    pub timeout_seconds: u64,
249    pub half_open_max_requests: u32,
250}
251
252impl Default for CircuitBreakerConfig {
253    fn default() -> Self {
254        Self {
255            failure_threshold: 5,
256            success_threshold: 2,
257            timeout_seconds: 30,
258            half_open_max_requests: 1,
259        }
260    }
261}
262
263/// Circuit breaker state
264#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize)]
265#[serde(rename_all = "snake_case")]
266pub enum CircuitBreakerState {
267    Closed,
268    Open,
269    HalfOpen,
270}
271
272/// Request priority
273#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Serialize, Deserialize, Default)]
274#[serde(rename_all = "snake_case")]
275pub enum Priority {
276    Low = 0,
277    #[default]
278    Normal = 1,
279    High = 2,
280    Critical = 3,
281}
282
283/// Time window for rate limiting and metrics
284#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize)]
285pub struct TimeWindow {
286    pub seconds: u64,
287}
288
289impl TimeWindow {
290    pub fn new(seconds: u64) -> Self {
291        Self { seconds }
292    }
293
294    pub fn as_duration(&self) -> std::time::Duration {
295        std::time::Duration::from_secs(self.seconds)
296    }
297}
298
299/// Byte size with human-readable serialization
300#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord)]
301pub struct ByteSize(pub usize);
302
303impl ByteSize {
304    pub const KB: usize = 1024;
305    pub const MB: usize = 1024 * 1024;
306    pub const GB: usize = 1024 * 1024 * 1024;
307
308    pub fn from_kb(kb: usize) -> Self {
309        Self(kb * Self::KB)
310    }
311
312    pub fn from_mb(mb: usize) -> Self {
313        Self(mb * Self::MB)
314    }
315
316    pub fn from_gb(gb: usize) -> Self {
317        Self(gb * Self::GB)
318    }
319
320    pub fn as_bytes(&self) -> usize {
321        self.0
322    }
323}
324
325impl fmt::Display for ByteSize {
326    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
327        if self.0 >= Self::GB {
328            write!(f, "{:.2}GB", self.0 as f64 / Self::GB as f64)
329        } else if self.0 >= Self::MB {
330            write!(f, "{:.2}MB", self.0 as f64 / Self::MB as f64)
331        } else if self.0 >= Self::KB {
332            write!(f, "{:.2}KB", self.0 as f64 / Self::KB as f64)
333        } else {
334            write!(f, "{}B", self.0)
335        }
336    }
337}
338
339impl Serialize for ByteSize {
340    fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
341    where
342        S: serde::Serializer,
343    {
344        serializer.serialize_str(&self.to_string())
345    }
346}
347
348impl<'de> Deserialize<'de> for ByteSize {
349    fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
350    where
351        D: serde::Deserializer<'de>,
352    {
353        let s = String::deserialize(deserializer)?;
354        Self::from_str(&s).map_err(serde::de::Error::custom)
355    }
356}
357
358impl FromStr for ByteSize {
359    type Err = String;
360
361    fn from_str(s: &str) -> Result<Self, Self::Err> {
362        let s = s.trim();
363        if s.is_empty() {
364            return Err("Empty byte size string".to_string());
365        }
366
367        // Try to parse as plain number (bytes)
368        if let Ok(bytes) = s.parse::<usize>() {
369            return Ok(Self(bytes));
370        }
371
372        // Parse with unit suffix
373        let (num_part, unit_part) = s
374            .chars()
375            .position(|c| c.is_alphabetic())
376            .map(|i| s.split_at(i))
377            .ok_or_else(|| format!("Invalid byte size format: {}", s))?;
378
379        let value: f64 = num_part
380            .trim()
381            .parse()
382            .map_err(|_| format!("Invalid number: {}", num_part))?;
383
384        let multiplier = match unit_part.to_uppercase().as_str() {
385            "B" => 1,
386            "KB" | "K" => Self::KB,
387            "MB" | "M" => Self::MB,
388            "GB" | "G" => Self::GB,
389            _ => return Err(format!("Invalid unit: {}", unit_part)),
390        };
391
392        Ok(Self((value * multiplier as f64) as usize))
393    }
394}
395
396/// IP address wrapper with additional metadata
397#[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
398pub struct ClientIp {
399    pub address: std::net::IpAddr,
400    #[serde(skip_serializing_if = "Option::is_none")]
401    pub forwarded_for: Option<Vec<std::net::IpAddr>>,
402}
403
404impl fmt::Display for ClientIp {
405    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
406        write!(f, "{}", self.address)
407    }
408}
409
410#[cfg(test)]
411mod tests {
412    use super::*;
413
414    #[test]
415    fn test_http_method_parsing() {
416        assert_eq!(HttpMethod::from_str("GET").unwrap(), HttpMethod::GET);
417        assert_eq!(HttpMethod::from_str("post").unwrap(), HttpMethod::POST);
418        assert_eq!(
419            HttpMethod::from_str("PROPFIND").unwrap(),
420            HttpMethod::Custom("PROPFIND".to_string())
421        );
422    }
423
424    #[test]
425    fn test_byte_size_parsing() {
426        assert_eq!(ByteSize::from_str("1024").unwrap().0, 1024);
427        assert_eq!(ByteSize::from_str("10KB").unwrap().0, 10 * 1024);
428        assert_eq!(
429            ByteSize::from_str("5.5MB").unwrap().0,
430            (5.5 * 1024.0 * 1024.0) as usize
431        );
432        assert_eq!(ByteSize::from_str("2GB").unwrap().0, 2 * 1024 * 1024 * 1024);
433        assert_eq!(ByteSize::from_str("100 B").unwrap().0, 100);
434    }
435
436    #[test]
437    fn test_byte_size_display() {
438        assert_eq!(ByteSize(512).to_string(), "512B");
439        assert_eq!(ByteSize(2048).to_string(), "2.00KB");
440        assert_eq!(ByteSize(1024 * 1024).to_string(), "1.00MB");
441        assert_eq!(ByteSize(1024 * 1024 * 1024).to_string(), "1.00GB");
442    }
443
444    #[test]
445    fn test_trace_id_format() {
446        assert_eq!(TraceIdFormat::from_str_loose("uuid"), TraceIdFormat::Uuid);
447        assert_eq!(
448            TraceIdFormat::from_str_loose("tinyflake"),
449            TraceIdFormat::TinyFlake
450        );
451        assert_eq!(
452            TraceIdFormat::from_str_loose("unknown"),
453            TraceIdFormat::TinyFlake
454        );
455    }
456}