rust
for ip in ip_list {
let s1 = sem.clone();
let d1 = done_snd.clone();
let o1 = opt.clone();
// async move move
std::thread::spawn(move || {
let rt = tokio::runtime::Runtime::new().unwrap();
rt.block_on(async {
let sem = s1.acquire_owned().await.unwrap();
info!("try to path {ip}");
match process_host_with_retry(&o1, &ip).await {
Ok(_) => d1.send(WriteMsg::Ok(ip.to_string())).await.unwrap(),
Err(e) => {
warn!("patch {ip} failed, {e}");
d1.send(WriteMsg::Err(ip.to_string())).await.unwrap()
}
}
drop(sem);
});
});
}
围观大佬于写代码。出现这个问题。写的时候带了 async 就无法执行了。搜索了一下:
原因:
async
关键字把代码块变成了一个 Future ,它不会在创建时立即执行,而是要等到被 poll/await 才会真正跑起来;而 std::thread::spawn
期待的是一个立刻就会在新线程里 同步执行 的函数体 (FnOnce() -> T
)。
一句话 :把 async
放到 move
前后,只是生成了一个 future;如果你不在同一个线程里 await
/block_on
它,逻辑就永远不会被调度
去掉 async
,闭包又变回同步函数体,线程启动后就直接执行!!!
关键点回顾
-
async 块 ≠ 立即执行 :它只是"构建"一个状态机,真正运行发生在
.await
/poll
。 -
std::thread::spawn 只能执行同步闭包------要么在闭包里
block_on
,要么别用它。 -
Tokio runtime 已经能并发调度 future,通常不需要再额外开 OS 线程。