pingora_runtime/lib.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
// Copyright 2024 Cloudflare, Inc.
//
// 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
//
// http://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.
//! Pingora tokio runtime.
//!
//! Tokio runtime comes in two flavors: a single-threaded runtime
//! and a multi-threaded one which provides work stealing.
//! Benchmark shows that, compared to the single-threaded runtime, the multi-threaded one
//! has some overhead due to its more sophisticated work steal scheduling.
//!
//! This crate provides a third flavor: a multi-threaded runtime without work stealing.
//! This flavor is as efficient as the single-threaded runtime while allows the async
//! program to use multiple cores.
use once_cell::sync::{Lazy, OnceCell};
use rand::Rng;
use std::sync::Arc;
use std::thread::JoinHandle;
use std::time::Duration;
use thread_local::ThreadLocal;
use tokio::runtime::{Builder, Handle};
use tokio::sync::oneshot::{channel, Sender};
/// Pingora async multi-threaded runtime
///
/// The `Steal` flavor is effectively tokio multi-threaded runtime.
///
/// The `NoSteal` flavor is backed by multiple tokio single-threaded runtime.
pub enum Runtime {
Steal(tokio::runtime::Runtime),
NoSteal(NoStealRuntime),
}
impl Runtime {
/// Create a `Steal` flavor runtime. This just a regular tokio runtime
pub fn new_steal(threads: usize, name: &str) -> Self {
Self::Steal(
Builder::new_multi_thread()
.enable_all()
.worker_threads(threads)
.thread_name(name)
.build()
.unwrap(),
)
}
/// Create a `NoSteal` flavor runtime. This is backed by multiple tokio current-thread runtime
pub fn new_no_steal(threads: usize, name: &str) -> Self {
Self::NoSteal(NoStealRuntime::new(threads, name))
}
/// Return the &[Handle] of the [Runtime].
/// For `Steal` flavor, it will just return the &[Handle].
/// For `NoSteal` flavor, it will return the &[Handle] of a random thread in its pool.
/// So if we want tasks to spawn on all the threads, call this function to get a fresh [Handle]
/// for each async task.
pub fn get_handle(&self) -> &Handle {
match self {
Self::Steal(r) => r.handle(),
Self::NoSteal(r) => r.get_runtime(),
}
}
/// Call tokio's `shutdown_timeout` of all the runtimes. This function is blocking until
/// all runtimes exit.
pub fn shutdown_timeout(self, timeout: Duration) {
match self {
Self::Steal(r) => r.shutdown_timeout(timeout),
Self::NoSteal(r) => r.shutdown_timeout(timeout),
}
}
}
// only NoStealRuntime set the pools in thread threads
static CURRENT_HANDLE: Lazy<ThreadLocal<Pools>> = Lazy::new(ThreadLocal::new);
/// Return the [Handle] of current runtime.
/// If the current thread is under a `Steal` runtime, the current [Handle] is returned.
/// If the current thread is under a `NoSteal` runtime, the [Handle] of a random thread
/// under this runtime is returned. This function will panic if called outside any runtime.
pub fn current_handle() -> Handle {
if let Some(pools) = CURRENT_HANDLE.get() {
// safety: the CURRENT_HANDLE is set when the pool is being initialized in init_pools()
let pools = pools.get().unwrap();
let mut rng = rand::thread_rng();
let index = rng.gen_range(0..pools.len());
pools[index].clone()
} else {
// not NoStealRuntime, just check the current tokio runtime
Handle::current()
}
}
type Control = (Sender<Duration>, JoinHandle<()>);
type Pools = Arc<OnceCell<Box<[Handle]>>>;
/// Multi-threaded runtime backed by a pool of single threaded tokio runtime
pub struct NoStealRuntime {
threads: usize,
name: String,
// Lazily init the runtimes so that they are created after pingora
// daemonize itself. Otherwise the runtime threads are lost.
pools: Arc<OnceCell<Box<[Handle]>>>,
controls: OnceCell<Vec<Control>>,
}
impl NoStealRuntime {
/// Create a new [NoStealRuntime]. Panic if `threads` is 0
pub fn new(threads: usize, name: &str) -> Self {
assert!(threads != 0);
NoStealRuntime {
threads,
name: name.to_string(),
pools: Arc::new(OnceCell::new()),
controls: OnceCell::new(),
}
}
fn init_pools(&self) -> (Box<[Handle]>, Vec<Control>) {
let mut pools = Vec::with_capacity(self.threads);
let mut controls = Vec::with_capacity(self.threads);
for _ in 0..self.threads {
let rt = Builder::new_current_thread().enable_all().build().unwrap();
let handler = rt.handle().clone();
let (tx, rx) = channel::<Duration>();
let pools_ref = self.pools.clone();
let join = std::thread::Builder::new()
.name(self.name.clone())
.spawn(move || {
CURRENT_HANDLE.get_or(|| pools_ref);
if let Ok(timeout) = rt.block_on(rx) {
rt.shutdown_timeout(timeout);
} // else Err(_): tx is dropped, just exit
})
.unwrap();
pools.push(handler);
controls.push((tx, join));
}
(pools.into_boxed_slice(), controls)
}
/// Return the &[Handle] of a random thread of this runtime
pub fn get_runtime(&self) -> &Handle {
let mut rng = rand::thread_rng();
let index = rng.gen_range(0..self.threads);
self.get_runtime_at(index)
}
/// Return the number of threads of this runtime
pub fn threads(&self) -> usize {
self.threads
}
fn get_pools(&self) -> &[Handle] {
if let Some(p) = self.pools.get() {
p
} else {
// TODO: use a mutex to avoid creating a lot threads only to drop them
let (pools, controls) = self.init_pools();
// there could be another thread racing with this one to init the pools
match self.pools.try_insert(pools) {
Ok(p) => {
// unwrap to make sure that this is the one that init both pools and controls
self.controls.set(controls).unwrap();
p
}
// another thread already set it, just return it
Err((p, _my_pools)) => p,
}
}
}
/// Return the &[Handle] of a given thread of this runtime
pub fn get_runtime_at(&self, index: usize) -> &Handle {
let pools = self.get_pools();
&pools[index]
}
/// Call tokio's `shutdown_timeout` of all the runtimes. This function is blocking until
/// all runtimes exit.
pub fn shutdown_timeout(mut self, timeout: Duration) {
if let Some(controls) = self.controls.take() {
let (txs, joins): (Vec<Sender<_>>, Vec<JoinHandle<()>>) = controls.into_iter().unzip();
for tx in txs {
let _ = tx.send(timeout); // Err() when rx is dropped
}
for join in joins {
let _ = join.join(); // ignore thread error
}
} // else, the controls and the runtimes are not even init yet, just return;
}
// TODO: runtime metrics
}
#[test]
fn test_steal_runtime() {
use tokio::time::{sleep, Duration};
let rt = Runtime::new_steal(2, "test");
let handle = rt.get_handle();
let ret = handle.block_on(async {
sleep(Duration::from_secs(1)).await;
let handle = current_handle();
let join = handle.spawn(async {
sleep(Duration::from_secs(1)).await;
});
join.await.unwrap();
1
});
assert_eq!(ret, 1);
}
#[test]
fn test_no_steal_runtime() {
use tokio::time::{sleep, Duration};
let rt = Runtime::new_no_steal(2, "test");
let handle = rt.get_handle();
let ret = handle.block_on(async {
sleep(Duration::from_secs(1)).await;
let handle = current_handle();
let join = handle.spawn(async {
sleep(Duration::from_secs(1)).await;
});
join.await.unwrap();
1
});
assert_eq!(ret, 1);
}
#[test]
fn test_no_steal_shutdown() {
use tokio::time::{sleep, Duration};
let rt = Runtime::new_no_steal(2, "test");
let handle = rt.get_handle();
let ret = handle.block_on(async {
sleep(Duration::from_secs(1)).await;
let handle = current_handle();
let join = handle.spawn(async {
sleep(Duration::from_secs(1)).await;
});
join.await.unwrap();
1
});
assert_eq!(ret, 1);
rt.shutdown_timeout(Duration::from_secs(1));
}