我使用以下代码启动Tokio运行时:
tokio::run(my_future);
我的未来会继续应对各种情况。
其中一项任务是确定何时应关闭程序。但是,我不知道如何让该任务正常终止程序。理想情况下,我想找到一种方法来终止run
函数调用。
以下是我要编写的这类程序的示例:
extern crate tokio;
use tokio::prelude::*;
use std::time::Duration;
use std::time::Instant;
use tokio::timer::{Delay, Interval};
fn main() {
let kill_future = Delay::new(Instant::now() + Duration::from_secs(3));
let time_print_future = Interval::new_interval(Duration::from_secs(1));
let mut runtime = tokio::runtime::Runtime::new().expect("failed to start new Runtime");
runtime.spawn(time_print_future.for_each(|t| Ok(println!("{:?}", t))).map_err(|_| ()));
runtime.spawn(
kill_future
.map_err(|_| {
eprintln!("Timer error");
})
.map(move |()| {
// TODO
unimplemented!("Shutdown the runtime!");
}),
);
// TODO
unimplemented!("Block until the runtime is shutdown");
println!("Done");
}
shutdown_now
似乎很有希望,但经过进一步调查,它可能无法正常工作。特别是,它需要运行时的所有权,并且Tokio可能不会同时允许主线程(创建运行时的地方)和一些随机任务拥有运行时。
答案 0 :(得分:2)
您可以使用oneshot channel从运行时内部与外部进行通信。延迟到期后,我们会通过该渠道发送一条消息。
在运行时之外,一旦收到该消息,我们将启动运行时关闭,并wait
将其关闭。
use std::time::{Duration, Instant};
use tokio::{
prelude::*,
runtime::Runtime,
sync::oneshot,
timer::{Delay, Interval},
}; // 0.1.15
fn main() {
let mut runtime = Runtime::new().expect("failed to start new Runtime");
let (tx, rx) = oneshot::channel();
runtime.spawn({
let every_second = Interval::new_interval(Duration::from_secs(1));
every_second
.for_each(|t| Ok(println!("{:?}", t)))
.map_err(drop)
});
runtime.spawn({
let in_three_seconds = Delay::new(Instant::now() + Duration::from_secs(3));
in_three_seconds
.map_err(|_| eprintln!("Timer error"))
.and_then(move |_| tx.send(()))
});
rx.wait().expect("unable to wait for receiver");
runtime
.shutdown_now()
.wait()
.expect("unable to wait for shutdown");
println!("Done");
}
另请参阅: