router.rs 19 KB
Newer Older
1
use crate::tree::Tree;
2
3
4
use actix_web::http::header::{HeaderValue, CONTENT_TYPE};
use actix_web::{HttpRequest, HttpResponse};
use bytes::Bytes;
Byron Hsu's avatar
Byron Hsu committed
5
use futures_util::{StreamExt, TryStreamExt};
6
use log::{debug, info, warn};
7
use std::collections::HashMap;
8
use std::fmt::Debug;
9
use std::sync::atomic::AtomicUsize;
10
use std::sync::{Arc, Mutex, RwLock};
11
12
use std::thread;
use std::time::Duration;
13
use tokio;
14
15

#[derive(Debug)]
16
17
pub enum Router {
    RoundRobin {
18
        worker_urls: Arc<RwLock<Vec<String>>>,
19
        current_index: AtomicUsize,
20
21
    },
    Random {
22
        worker_urls: Arc<RwLock<Vec<String>>>,
23
    },
24
25
    CacheAware {
        /*
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
            Cache-Aware Load Balancing Router

            This router combines two strategies to optimize both cache utilization and request distribution:

            1. Cache-Aware Routing (Approximate Tree)
            2. Load Balancing (Shortest Queue with Balance Thresholds)

            The router dynamically switches between these strategies based on load conditions:
            - Uses load balancing when the system is imbalanced
            - Uses cache-aware routing when the system is balanced

            A system is considered imbalanced if both conditions are met:
            1. (max - min) > abs_threshold
            2. max > rel_threshold * min

            Strategy Details:

            1. Cache-Aware Routing (Approximate Tree)
            -------------------------------------------
            This strategy maintains an approximate radix tree for each worker based on request history,
            eliminating the need for direct cache state queries. The tree stores raw text characters
            instead of token IDs to avoid tokenization overhead.

            Process:
            a. For each request, find the worker with the highest prefix match
            b. If match rate > cache_threshold:
            Route to the worker with highest match (likely has relevant data cached)
            c. If match rate ≤ cache_threshold:
            Route to the worker with smallest tree size (most available cache capacity)
            d. Background maintenance:
            Periodically evict least recently used leaf nodes to prevent memory overflow

            2. Load Balancing (Shortest Queue)
            -------------------------------------------
            This strategy tracks pending request counts per worker and routes new requests
            to the least busy worker when the system is detected to be imbalanced.

            Configuration Parameters:
            ------------------------
            1. cache_threshold: (float, 0.0 to 1.0)
            Minimum prefix match ratio to use highest-match routing.
            Below this threshold, routes to worker with most available cache space.

            2. balance_abs_threshold: (integer)
            Absolute difference threshold for load imbalance detection.
            System is potentially imbalanced if (max_load - min_load) > abs_threshold

            3. balance_rel_threshold: (float)
            Relative ratio threshold for load imbalance detection.
            System is potentially imbalanced if max_load > min_load * rel_threshold
            Used in conjunction with abs_threshold to determine final imbalance state.

            4. eviction_interval_secs: (integer)
            Interval between LRU eviction cycles for the approximate trees.

            5. max_tree_size: (integer)
            Maximum nodes per tree. When exceeded, LRU leaf nodes are evicted
            during the next eviction cycle.
84
        */
85
        worker_urls: Arc<RwLock<Vec<String>>>,
86
87
88
        tree: Arc<Mutex<Tree>>,
        running_queue: Arc<Mutex<HashMap<String, usize>>>,
        processed_queue: Arc<Mutex<HashMap<String, usize>>>,
89
        cache_threshold: f32,
90
91
92
        balance_abs_threshold: usize,
        balance_rel_threshold: f32,
        _eviction_thread: Option<thread::JoinHandle<()>>,
93
94
95
    },
}

96
#[derive(Debug)]
97
98
99
pub enum PolicyConfig {
    RandomConfig,
    RoundRobinConfig,
100
    CacheAwareConfig {
101
        cache_threshold: f32,
102
103
        balance_abs_threshold: usize,
        balance_rel_threshold: f32,
104
105
        eviction_interval_secs: u64,
        max_tree_size: usize,
106
107
108
    },
}

109
110
fn get_text_from_request(body: &Bytes, route: &str) -> String {
    // convert body to json
111
    let json = serde_json::from_slice::<serde_json::Value>(body).unwrap();
112

113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
    if route == "generate" {
        // get the "text" field
        let text = json.get("text").and_then(|t| t.as_str()).unwrap_or("");
        return text.to_string();
    } else if route == "v1/chat/completions" {
        // get the messages field as raw text
        if let Some(messages) = json.get("messages") {
            // Convert messages back to a string, preserving all JSON formatting
            return serde_json::to_string(messages).unwrap_or_default();
        }
    } else if route == "v1/completions" {
        let prompt = json.get("prompt").and_then(|t| t.as_str()).unwrap_or("");
        return prompt.to_string();
    }

    return "".to_string();
}
130
impl Router {
131
132
    pub fn new(worker_urls: Vec<String>, policy_config: PolicyConfig) -> Self {
        match policy_config {
133
134
135
            PolicyConfig::RandomConfig => Router::Random {
                worker_urls: Arc::new(RwLock::new(worker_urls)),
            },
136
            PolicyConfig::RoundRobinConfig => Router::RoundRobin {
137
                worker_urls: Arc::new(RwLock::new(worker_urls)),
138
139
                current_index: std::sync::atomic::AtomicUsize::new(0),
            },
140
            PolicyConfig::CacheAwareConfig {
141
                cache_threshold,
142
143
                balance_abs_threshold,
                balance_rel_threshold,
144
145
                eviction_interval_secs,
                max_tree_size,
146
            } => {
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
                let mut running_queue = HashMap::new();
                for url in &worker_urls {
                    running_queue.insert(url.clone(), 0);
                }

                let mut processed_queue = HashMap::new();
                for url in &worker_urls {
                    processed_queue.insert(url.clone(), 0);
                }

                let tree = Arc::new(Mutex::new(Tree::new()));
                let running_queue = Arc::new(Mutex::new(running_queue));
                let processed_queue = Arc::new(Mutex::new(processed_queue));

                // Create background eviction thread
                let tree_clone = Arc::clone(&tree);
                let processed_queue_clone = Arc::clone(&processed_queue);
164
                let running_queue_clone = Arc::clone(&running_queue);
165
166
167
168
169
170
171
                let eviction_thread = thread::spawn(move || {
                    loop {
                        // Sleep for the specified interval
                        thread::sleep(Duration::from_secs(eviction_interval_secs));

                        let locked_tree_clone = tree_clone.lock().unwrap();
                        // Run eviction
172
                        locked_tree_clone.evict_tenant_by_size(max_tree_size);
173
174
175

                        // Print the process queue
                        let locked_processed_queue = processed_queue_clone.lock().unwrap();
176
                        info!("Processed Queue: {:?}", locked_processed_queue);
177
178
179

                        // Print the running queue
                        let locked_running_queue = running_queue_clone.lock().unwrap();
180
                        info!("Running Queue: {:?}", locked_running_queue);
181
182
                    }
                });
183
184

                for url in &worker_urls {
185
                    tree.lock().unwrap().insert(&"".to_string(), url);
186
187
                }

188
                Router::CacheAware {
189
                    worker_urls: Arc::new(RwLock::new(worker_urls)),
190
191
192
                    tree,
                    running_queue,
                    processed_queue,
193
                    cache_threshold,
194
195
                    balance_abs_threshold,
                    balance_rel_threshold,
196
                    _eviction_thread: Some(eviction_thread),
197
198
                }
            }
199
200
201
        }
    }

202
203
    pub fn get_first(&self) -> Option<String> {
        match self {
204
205
            Router::RoundRobin { worker_urls, .. }
            | Router::Random { worker_urls }
206
            | Router::CacheAware { worker_urls, .. } => {
207
                if worker_urls.read().unwrap().is_empty() {
208
209
                    None
                } else {
210
                    Some(worker_urls.read().unwrap()[0].clone())
211
212
                }
            }
213
214
215
        }
    }

216
217
218
219
220
    pub async fn dispatch(
        &self,
        client: &reqwest::Client,
        req: HttpRequest,
        body: Bytes,
221
        route: &str,
222
    ) -> HttpResponse {
223
        let text = get_text_from_request(&body, route);
224

225
226
227
228
229
        let worker_url = match self {
            Router::RoundRobin {
                worker_urls,
                current_index,
            } => {
230
                let idx = current_index
231
232
233
                    .fetch_update(
                        std::sync::atomic::Ordering::SeqCst,
                        std::sync::atomic::Ordering::SeqCst,
234
                        |x| Some((x + 1) % worker_urls.read().unwrap().len()),
235
                    )
236
                    .unwrap();
237
                worker_urls.read().unwrap()[idx].clone()
238
            }
239

240
241
242
            Router::Random { worker_urls } => worker_urls.read().unwrap()
                [rand::random::<usize>() % worker_urls.read().unwrap().len()]
            .clone(),
243

244
            Router::CacheAware {
245
                worker_urls,
246
247
248
                tree,
                running_queue,
                processed_queue,
249
                cache_threshold,
250
251
                balance_abs_threshold,
                balance_rel_threshold,
252
253
                ..
            } => {
254
                // TODO: delay scheduling if cache hit rate is high because it may cause imbalance. prioritize low hit rate ones
255

Byron Hsu's avatar
Byron Hsu committed
256
                let tree = tree.lock().unwrap();
257
                let mut running_queue = running_queue.lock().unwrap();
258

259
260
261
262
263
264
265
266
267
268
269
270
                // Get current load statistics
                let max_load = *running_queue.values().max().unwrap_or(&0);
                let min_load = *running_queue.values().min().unwrap_or(&0);

                // Load is considered imbalanced if:
                // 1. (max - min) > abs_threshold AND
                // 2. max > rel_threshold * min
                let is_imbalanced = max_load.saturating_sub(min_load) > *balance_abs_threshold
                    && (max_load as f32) > (min_load as f32 * balance_rel_threshold);

                let selected_url = if is_imbalanced {
                    // Log load balancing trigger and current queue state
271
                    info!(
272
273
274
275
276
277
278
279
280
281
282
                        "Load balancing triggered due to workload imbalance:\n\
                        Max load: {}, Min load: {}\n\
                        Current running queue: {:?}",
                        max_load, min_load, running_queue
                    );

                    // Use shortest queue routing when load is imbalanced
                    running_queue
                        .iter()
                        .min_by_key(|(_url, &count)| count)
                        .map(|(url, _)| url.clone())
283
                        .unwrap_or_else(|| worker_urls.read().unwrap()[0].clone())
284
285
                } else {
                    // Use cache-aware routing when load is balanced
286
287
288
                    let (matched_text, matched_worker) = tree.prefix_match(&text);
                    let matched_rate =
                        matched_text.chars().count() as f32 / text.chars().count() as f32;
289

290
291
292
293
                    if matched_rate > *cache_threshold {
                        matched_worker.to_string()
                    } else {
                        tree.get_smallest_tenant()
294
                    }
295
                };
296

297
298
                // Update queues and tree
                *running_queue.get_mut(&selected_url).unwrap() += 1;
299

300
301
302
303
304
                *processed_queue
                    .lock()
                    .unwrap()
                    .get_mut(&selected_url)
                    .unwrap() += 1;
305
306
307
                tree.insert(&text, &selected_url);

                selected_url
308
309
            }
        };
310

311
312
313
        let is_stream = serde_json::from_slice::<serde_json::Value>(&body)
            .map(|v| v.get("stream").and_then(|s| s.as_bool()).unwrap_or(false))
            .unwrap_or(false);
314

315
        let res = match client
316
            .post(format!("{}/{}", worker_url.clone(), route))
317
318
319
320
321
322
323
324
325
326
327
328
329
330
            .header(
                "Content-Type",
                req.headers()
                    .get("Content-Type")
                    .and_then(|h| h.to_str().ok())
                    .unwrap_or("application/json"),
            )
            .body(body.to_vec())
            .send()
            .await
        {
            Ok(res) => res,
            Err(_) => return HttpResponse::InternalServerError().finish(),
        };
331

332
333
        let status = actix_web::http::StatusCode::from_u16(res.status().as_u16())
            .unwrap_or(actix_web::http::StatusCode::INTERNAL_SERVER_ERROR);
334

335
        if !is_stream {
336
337
            // For non-streaming requests, get response first
            let response = match res.bytes().await {
338
                Ok(body) => HttpResponse::build(status).body(body.to_vec()),
339
340
341
342
                Err(e) => {
                    let error_msg = format!("Failed to get response body: {}", e);
                    HttpResponse::InternalServerError().body(error_msg)
                }
343
344
345
346
347
348
349
350
351
            };

            // Then decrement running queue counter if using CacheAware
            if let Router::CacheAware { running_queue, .. } = self {
                if let Ok(mut queue) = running_queue.lock() {
                    if let Some(count) = queue.get_mut(&worker_url) {
                        *count = count.saturating_sub(1);
                    }
                }
352
            }
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375

            response
        } else if let Router::CacheAware { running_queue, .. } = self {
            let running_queue = Arc::clone(running_queue);
            let worker_url = worker_url.clone();

            HttpResponse::build(status)
                .insert_header((CONTENT_TYPE, HeaderValue::from_static("text/event-stream")))
                .streaming(
                    res.bytes_stream()
                        .map_err(|_| {
                            actix_web::error::ErrorInternalServerError("Failed to read stream")
                        })
                        .inspect(move |bytes| {
                            let bytes = bytes.as_ref().unwrap();
                            if bytes
                                .as_ref()
                                .windows(12)
                                .any(|window| window == b"data: [DONE]")
                            {
                                let mut locked_queue = running_queue.lock().unwrap();
                                let count = locked_queue.get_mut(&worker_url).unwrap();
                                *count = count.saturating_sub(1);
376
                                debug!("streaming is done!!")
377
378
379
                            }
                        }),
                )
380
381
382
383
        } else {
            HttpResponse::build(status)
                .insert_header((CONTENT_TYPE, HeaderValue::from_static("text/event-stream")))
                .streaming(res.bytes_stream().map_err(|_| {
384
                    actix_web::error::ErrorInternalServerError("Failed to read stream")
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
    pub async fn add_worker(&self, worker_url: String) -> HttpResponse {
        let interval_secs = 10; // check every 10 seconds
        let timeout_secs = 300; // 5 minutes

        let start_time = std::time::Instant::now();
        let client = reqwest::Client::new();

        loop {
            if start_time.elapsed() > Duration::from_secs(timeout_secs) {
                return HttpResponse::InternalServerError().body(format!(
                    "Timeout {}s waiting for worker {} to become healthy",
                    timeout_secs, worker_url
                ));
            }

            match client.get(&format!("{}/health", worker_url)).send().await {
                Ok(res) => {
                    if res.status().is_success() {
                        match self {
                            Router::RoundRobin { worker_urls, .. }
                            | Router::Random { worker_urls }
                            | Router::CacheAware { worker_urls, .. } => {
                                info!("Worker {} health check passed", worker_url);
                                let mut urls = worker_urls.write().unwrap();
                                if urls.contains(&worker_url) {
                                    return HttpResponse::BadRequest()
                                        .body(format!("Worker {} already exists", worker_url));
                                }
                                info!("Added worker: {}", worker_url);
                                urls.push(worker_url.clone());
                            }
                        }
                        return HttpResponse::Ok()
                            .body(format!("Successfully added worker: {}", worker_url));
                    } else {
                        info!(
                            "Worker {} health check failed with status: {}. The worker might still be starting up.",
                            worker_url, res.status()
                        );
                        // if the url does not have http or https prefix, warn users
                        if !worker_url.starts_with("http://") && !worker_url.starts_with("https://")
                        {
                            warn!("The worker url {} does not have http or https prefix. Please add the prefix to the url.", worker_url);
                        }

                        tokio::time::sleep(Duration::from_secs(interval_secs)).await;
                        continue;
                    }
                }
                Err(e) => {
                    info!("Worker {} health check failed: {}", worker_url, e);

                    // if the url does not have http or https prefix, warn users
                    if !worker_url.starts_with("http://") && !worker_url.starts_with("https://") {
                        warn!("The worker url {} does not have http or https prefix. Please add the prefix to the url.", worker_url);
                    }

                    tokio::time::sleep(Duration::from_secs(interval_secs)).await;
                    continue;
                }
449
450
451
            }
        }
    }
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470

    pub fn remove_worker(&self, worker_url: String) {
        match self {
            Router::RoundRobin { worker_urls, .. }
            | Router::Random { worker_urls }
            | Router::CacheAware { worker_urls, .. } => {
                let mut urls = worker_urls.write().unwrap();
                let index = urls.iter().position(|url| url == &worker_url).unwrap();
                urls.remove(index);
                info!("Removed worker: {}", worker_url);
            }
        }

        // if cache aware, remove the worker from the tree
        if let Router::CacheAware { tree, .. } = self {
            tree.lock().unwrap().remove_tenant(&worker_url);
            info!("Removed worker from tree: {}", worker_url);
        }
    }
471
}