7. Executors and Runtimes 🟡
7. 执行器与运行时 🟡
What you’ll learn:
本章将学习:
- What an executor does: poll + sleep efficiently
执行器的职责:在合适时机轮询,并在空闲时高效休眠- The six major runtimes: mio, io_uring, tokio, async-std, smol, embassy
六类关键运行时与基础设施:mio、io_uring、tokio、async-std、smol、embassy- A decision tree for choosing the right runtime
如何根据场景选择合适运行时- Why runtime-agnostic library design matters
为什么库设计应尽量保持运行时无关
What an Executor Does
执行器到底做什么
An executor has two jobs:
执行器主要负责两件事:
- Poll futures when they’re ready to make progress
在 Future 可以继续推进时对其进行poll - Sleep efficiently when no futures are ready using OS I/O notification APIs
当暂时没有 Future 可推进时,借助操作系统的 I/O 通知机制高效休眠
graph TB
subgraph Executor["Executor<br/>执行器<br/>(e.g., tokio / 例如 tokio)"]
QUEUE["Task Queue<br/>任务队列"]
POLLER["I/O Poller<br/>I/O 轮询器<br/>(epoll/kqueue/io_uring)"]
THREADS["Worker Thread Pool<br/>工作线程池"]
end
subgraph Tasks["Tasks<br/>任务"]
T1["Task 1<br/>任务 1<br/>(HTTP request / HTTP 请求)"]
T2["Task 2<br/>任务 2<br/>(DB query / 数据库查询)"]
T3["Task 3<br/>任务 3<br/>(File read / 文件读取)"]
end
subgraph OS["Operating System<br/>操作系统"]
NET["Network Stack<br/>网络栈"]
DISK["Disk I/O<br/>磁盘 I/O"]
end
T1 --> QUEUE
T2 --> QUEUE
T3 --> QUEUE
QUEUE --> THREADS
THREADS -->|"poll()"| T1
THREADS -->|"poll()"| T2
THREADS -->|"poll()"| T3
POLLER <-->|"register / notify<br/>注册 / 通知"| NET
POLLER <-->|"register / notify<br/>注册 / 通知"| DISK
POLLER -->|"wake tasks<br/>唤醒任务"| QUEUE
style Executor fill:#e3f2fd,color:#000
style OS fill:#f3e5f5,color:#000
mio: The Foundation Layer
mio:底层基座
mio (Metal I/O) is not an executor. It is the lowest-level cross-platform I/O notification library. It wraps epoll on Linux, kqueue on macOS and BSD, and IOCP on Windows.
mio 意为 Metal I/O,它本身并不是执行器,而是跨平台 I/O 通知能力的底层抽象。它对 Linux 的 epoll、macOS 和 BSD 的 kqueue、以及 Windows 的 IOCP 做了统一封装。
#![allow(unused)]
fn main() {
// Conceptual mio usage (simplified):
use mio::{Events, Interest, Poll, Token};
use mio::net::TcpListener;
let mut poll = Poll::new()?;
let mut events = Events::with_capacity(128);
let mut server = TcpListener::bind("0.0.0.0:8080")?;
poll.registry().register(&mut server, Token(0), Interest::READABLE)?;
// Event loop — blocks until something happens
loop {
poll.poll(&mut events, None)?; // Sleeps until I/O event
for event in events.iter() {
match event.token() {
Token(0) => { /* server has a new connection */ }
_ => { /* other I/O ready */ }
}
}
}
}
Most developers never touch mio directly. Tokio and smol sit on top of it.
多数开发者并不会直接操作 mio,tokio 和 smol 这类运行时已经把它包在更上层的抽象之下。
io_uring: The Completion-Based Future
io_uring:基于完成通知的未来方向
Linux io_uring requires kernel 5.1 or newer. It represents a fundamental shift from the readiness-based I/O model used by mio and epoll.
Linux 的 io_uring 需要 5.1 及以上内核,它代表了一种和 mio、epoll 所采用的“就绪通知模型”截然不同的思路。
Readiness-based (epoll / mio / tokio):
1. Ask: "Is this socket readable?" → epoll_wait()
2. Kernel: "Yes, it's ready" → EPOLLIN event
3. App: read(fd, buf) → might still block briefly!
Completion-based (io_uring):
1. Submit: "Read from this socket into this buffer" → SQE
2. Kernel: does the read asynchronously
3. App: gets completed result with data → CQE
基于就绪的模型(epoll / mio / tokio):1. 先问:“这个 socket 现在可读吗?” → `epoll_wait()`
2. 内核回答:“可读了。” → 收到 `EPOLLIN` 事件
3. 应用再调用 `read(fd, buf)` → 这一步仍可能出现短暂阻塞
基于完成的模型(io_uring):
1. 直接提交:“把这个 socket 读进这个缓冲区。” → SQE
2. 内核异步执行读取
3. 应用收到“已完成”的结果与数据 → CQE
graph LR
subgraph "Readiness Model<br/>就绪模型<br/>(epoll)"
A1["App: is it ready?<br/>应用:准备好了吗?"] --> K1["Kernel: yes<br/>内核:好了"]
K1 --> A2["App: now read()<br/>应用:现在读"]
A2 --> K2["Kernel: here's data<br/>内核:数据给你"]
end
subgraph "Completion Model<br/>完成模型<br/>(io_uring)"
B1["App: read this for me<br/>应用:替我把它读出来"] --> K3["Kernel: working...<br/>内核:正在处理"]
K3 --> B2["App: got result + data<br/>应用:收到结果和数据"]
end
style B1 fill:#c8e6c9,color:#000
style B2 fill:#c8e6c9,color:#000
The ownership challenge: io_uring needs the kernel to own the buffer until the operation completes. That clashes with Rust’s standard AsyncRead trait, which only borrows the buffer. This is why tokio-uring exposes different I/O traits.
所有权上的难点:io_uring 需要在操作完成前把缓冲区控制权交给内核,而 Rust 标准 AsyncRead trait 只借用缓冲区。这就是 tokio-uring 必须设计不同 I/O trait 的原因。
#![allow(unused)]
fn main() {
// Standard tokio (readiness-based) — borrows the buffer:
let n = stream.read(&mut buf).await?; // buf is borrowed
// tokio-uring (completion-based) — takes ownership of the buffer:
let (result, buf) = stream.read(buf).await; // buf is moved in, returned back
let n = result?;
}
// Cargo.toml: tokio-uring = "0.5"
// NOTE: Linux-only, requires kernel 5.1+
fn main() {
tokio_uring::start(async {
let file = tokio_uring::fs::File::open("data.bin").await.unwrap();
let buf = vec![0u8; 4096];
let (result, buf) = file.read_at(buf, 0).await;
let bytes_read = result.unwrap();
println!("Read {} bytes: {:?}", bytes_read, &buf[..bytes_read]);
});
}
| Aspect 维度 | epoll (tokio) epoll(tokio) | io_uring (tokio-uring) io_uring(tokio-uring) |
|---|---|---|
| Model 模型 | Readiness notification 就绪通知 | Completion notification 完成通知 |
| Syscalls 系统调用 | epoll_wait + read/write | Batched SQE/CQE ring 批量 SQE/CQE 环 |
| Buffer ownership 缓冲区所有权 | App retains (&mut buf)应用保留所有权 | Ownership transfer (move buf)所有权转移给内核 |
| Platform 平台 | Linux, macOS, Windows | Linux 5.1+ only 仅 Linux 5.1+ |
| Zero-copy 零拷贝 | No 否 | Yes 是 |
| Maturity 成熟度 | Production-ready 生产可用 | Experimental 实验性 |
When to use io_uring: Use it when high-throughput networking or file I/O is bottlenecked by syscall overhead, such as databases, storage engines, or proxies serving 100k+ connections. For most applications, standard tokio is still the correct default.
什么时候该用 io_uring:当网络或文件 I/O 的系统调用开销已经成为主要瓶颈,例如数据库、存储引擎、或者需要支撑十万级连接的代理服务时,再认真考虑它。对绝大多数应用而言,标准 tokio 依旧是更合适的默认方案。
tokio: The Batteries-Included Runtime
tokio:配套最完整的运行时
Tokio is the dominant async runtime in the Rust ecosystem. Axum, Hyper, Tonic, and most production Rust servers build on top of it.
Tokio 是 Rust 生态里最主流的异步运行时。Axum、Hyper、Tonic,以及大多数生产级 Rust 服务都建立在它之上。
// Cargo.toml:
// [dependencies]
// tokio = { version = "1", features = ["full"] }
#[tokio::main]
async fn main() {
// Spawns a multi-threaded runtime with work-stealing scheduler
let handle = tokio::spawn(async {
tokio::time::sleep(std::time::Duration::from_secs(1)).await;
"done"
});
let result = handle.await.unwrap();
println!("{result}");
}
tokio features: timers, I/O, TCP and UDP, Unix sockets, signal handling, synchronization primitives, filesystem access, process management, and tracing integration.
tokio 自带能力:定时器、I/O、TCP/UDP、Unix Socket、信号处理、同步原语、文件系统、进程管理,以及和 tracing 的集成。
async-std: The Standard Library Mirror
async-std:贴近标准库风格
async-std offers async APIs that mirror std. It is less popular than tokio, but many newcomers feel it is easier to approach.async-std 试图提供一套与 std 形态相近的异步 API。它的生态热度低于 tokio,但对于初学者来说通常更直观一些。
// Cargo.toml:
// [dependencies]
// async-std = { version = "1", features = ["attributes"] }
#[async_std::main]
async fn main() {
use async_std::fs;
let content = fs::read_to_string("hello.txt").await.unwrap();
println!("{content}");
}
smol: The Minimalist Runtime
smol:极简派运行时
Smol is a compact, low-dependency async runtime. It is useful for libraries that want async support without pulling in the full tokio stack.
Smol 是一个体量小、依赖少的异步运行时。对于想提供异步能力、又不愿意把整套 tokio 依赖拖进来的库来说,它很合适。
// Cargo.toml:
// [dependencies]
// smol = "2"
fn main() {
smol::block_on(async {
let result = smol::unblock(|| {
// Runs blocking code on a thread pool
std::fs::read_to_string("hello.txt")
}).await.unwrap();
println!("{result}");
});
}
embassy: Async for Embedded (no_std)
embassy:面向嵌入式的异步方案
Embassy targets embedded systems. It avoids heap allocation, works without std, and fits microcontrollers well.
Embassy 面向嵌入式系统,通常无需堆分配,也不依赖 std,非常适合微控制器环境。
// Runs on microcontrollers (e.g., STM32, nRF52, RP2040)
#[embassy_executor::main]
async fn main(spawner: embassy_executor::Spawner) {
// Blink an LED with async/await — no RTOS needed!
let mut led = Output::new(p.PA5, Level::Low, Speed::Low);
loop {
led.set_high();
Timer::after(Duration::from_millis(500)).await;
led.set_low();
Timer::after(Duration::from_millis(500)).await;
}
}
Runtime Decision Tree
运行时选择树
graph TD
START["Choosing a Runtime<br/>选择运行时"]
Q1{"Building a<br/>network server?<br/>是否在构建网络服务?"}
Q2{"Need tokio ecosystem<br/>(Axum, Tonic, Hyper)?<br/>是否依赖 tokio 生态?"}
Q3{"Building a library?<br/>是否在写库?"}
Q4{"Embedded / no_std?<br/>是否为嵌入式或 no_std?"}
Q5{"Want minimal<br/>dependencies?<br/>是否偏好最少依赖?"}
TOKIO["🟢 tokio<br/>Best ecosystem, most popular<br/>生态最完整,使用最广"]
SMOL["🔵 smol<br/>Minimal, no ecosystem lock-in<br/>轻量,生态绑定少"]
EMBASSY["🟠 embassy<br/>Embedded-first, no alloc<br/>嵌入式优先,可免分配"]
ASYNC_STD["🟣 async-std<br/>std-like API, good for learning<br/>接口像标准库,适合入门"]
AGNOSTIC["🔵 runtime-agnostic<br/>Use futures crate only<br/>保持运行时无关,仅依赖 futures"]
START --> Q1
Q1 -->|Yes| Q2
Q1 -->|No| Q3
Q2 -->|Yes| TOKIO
Q2 -->|No| Q5
Q3 -->|Yes| AGNOSTIC
Q3 -->|No| Q4
Q4 -->|Yes| EMBASSY
Q4 -->|No| Q5
Q5 -->|Yes| SMOL
Q5 -->|No| ASYNC_STD
style TOKIO fill:#c8e6c9,color:#000
style SMOL fill:#bbdefb,color:#000
style EMBASSY fill:#ffe0b2,color:#000
style ASYNC_STD fill:#e1bee7,color:#000
style AGNOSTIC fill:#bbdefb,color:#000
Runtime Comparison Table
运行时对比表
| Feature 特性 | tokio | async-std | smol | embassy |
|---|---|---|---|---|
| Ecosystem 生态 | Dominant 主流 | Small 较小 | Minimal 精简 | Embedded 嵌入式 |
| Multi-threaded 多线程 | ✅ Work-stealing 支持工作窃取 | ✅ | ✅ | ❌ Single-core 单核场景为主 |
| no_std 支持 no_std | ❌ | ❌ | ❌ | ✅ |
| Timer 定时器 | ✅ Built-in 内建 | ✅ Built-in 内建 | Via async-io依赖 async-io | ✅ HAL-based 基于 HAL |
| I/O I/O | ✅ Own abstractions 自有抽象 | ✅ std mirror 贴近 std | ✅ Via async-io经由 async-io | ✅ HAL drivers HAL 驱动 |
| Channels 通道 | ✅ Rich set 种类丰富 | ✅ | Via async-channel依赖 async-channel | ✅ |
| Learning curve 学习成本 | Medium 中等 | Low 较低 | Low 较低 | High 较高,需要硬件背景 |
| Binary size 二进制体积 | Large 较大 | Medium 中等 | Small 较小 | Tiny 很小 |
🏋️ Exercise: Runtime Comparison
🏋️ 练习:运行时对比
Challenge: Write the same program using three different runtimes: tokio, smol, and async-std. The program should fetch a URL, read a file, and print both results. Here both operations can be simulated with sleeps.
挑战:分别用 tokio、smol 和 async-std 写出同一个程序。程序需要获取一个 URL、读取一个文件,然后打印两个结果。这里可以用休眠来模拟这两类操作。
This exercise shows that most async business logic stays the same. What changes is the runtime bootstrap and the timer or I/O API surface.
这个练习要强调的是:异步业务逻辑大多相同,变化主要集中在运行时入口以及计时器、I/O 相关 API 的样式上。
🔑 Solution
🔑 参考答案
// ----- tokio version -----
// Cargo.toml: tokio = { version = "1", features = ["full"] }
#[tokio::main]
async fn main() {
let (url_result, file_result) = tokio::join!(
async {
tokio::time::sleep(std::time::Duration::from_millis(100)).await;
"Response from URL"
},
async {
tokio::time::sleep(std::time::Duration::from_millis(50)).await;
"Contents of file"
},
);
println!("URL: {url_result}, File: {file_result}");
}
// ----- smol version -----
// Cargo.toml: smol = "2", futures-lite = "2"
fn main() {
smol::block_on(async {
let (url_result, file_result) = futures_lite::future::zip(
async {
smol::Timer::after(std::time::Duration::from_millis(100)).await;
"Response from URL"
},
async {
smol::Timer::after(std::time::Duration::from_millis(50)).await;
"Contents of file"
},
).await;
println!("URL: {url_result}, File: {file_result}");
});
}
// ----- async-std version -----
// Cargo.toml: async-std = { version = "1", features = ["attributes"] }
#[async_std::main]
async fn main() {
let (url_result, file_result) = futures::future::join(
async {
async_std::task::sleep(std::time::Duration::from_millis(100)).await;
"Response from URL"
},
async {
async_std::task::sleep(std::time::Duration::from_millis(50)).await;
"Contents of file"
},
).await;
println!("URL: {url_result}, File: {file_result}");
}
Key takeaway: The business logic remains identical across runtimes. Entry points and helper APIs are the main differences. That is why runtime-agnostic libraries built on std::future::Future are so valuable.
核心收获:不同运行时之间,业务逻辑几乎不变,主要变化点在入口和辅助 API 上。这也说明,建立在 std::future::Future 之上的运行时无关库会更有长期价值。
Key Takeaways — Executors and Runtimes
本章要点——执行器与运行时
- An executor polls futures when woken and sleeps efficiently using OS I/O APIs
执行器会在 Future 被唤醒时轮询它,并在空闲时依靠操作系统 I/O 机制高效休眠- tokio is the default choice for servers, smol fits minimal footprints, and embassy is for embedded systems
tokio 适合作为服务端默认方案,smol 适合追求轻量依赖,embassy 面向嵌入式场景- Business logic should depend on
std::future::Future, not on a specific runtime type
业务逻辑应依赖std::future::Future,而不是把自己绑死在某个运行时类型上io_uringmay become a major direction for high-performance I/O, but the ecosystem is still maturingio_uring可能会成为高性能 I/O 的重要方向,但整个生态仍在持续完善
See also: Ch 8 — Tokio Deep Dive for tokio specifics, Ch 9 — When Tokio Isn’t the Right Fit for alternatives.
延伸阅读: 第 8 章——Tokio 深入解析 关注 tokio 细节,第 9 章——什么时候 Tokio 不是最佳选择 讨论替代方案。