我有一个main
函数,可在其中创建Tokio运行时并在其上运行两个未来。
use tokio;
fn main() {
let mut runtime = tokio::runtime::Runtime::new().unwrap();
runtime.spawn(MyMegaFutureNumberOne {});
runtime.spawn(MyMegaFutureNumberTwo {});
// Some code to 'join' them after receiving an OS signal
}
我如何收到SIGTERM
,等待所有未完成的任务(NotReady
s)并退出应用程序?
答案 0 :(得分:5)
使用信号进行处理非常棘手,要解释如何处理所有可能的情况将过于宽泛。信号的实现不是跨平台的标准,因此我的回答仅针对Linux。如果要跨平台,请结合使用POSIX函数sigaction
和pause
;这将为您提供更多控制权。
一种实现所需目标的方法是使用tokio_signal条板箱来捕获信号,例如:(doc example)
extern crate futures;
extern crate tokio;
extern crate tokio_signal;
use futures::prelude::*;
use futures::Stream;
use std::time::{Duration, Instant};
use tokio_signal::unix::{Signal, SIGINT, SIGTERM};
fn main() -> Result<(), Box<::std::error::Error>> {
let mut runtime = tokio::runtime::Runtime::new()?;
let sigint = Signal::new(SIGINT).flatten_stream();
let sigterm = Signal::new(SIGTERM).flatten_stream();
let stream = sigint.select(sigterm);
let deadline = tokio::timer::Delay::new(Instant::now() + Duration::from_secs(5))
.map(|()| println!("5 seconds are over"))
.map_err(|e| eprintln!("Failed to wait: {}", e));
runtime.spawn(deadline);
let (item, _rest) = runtime
.block_on_all(stream.into_future())
.map_err(|_| "failed to wait for signals")?;
let item = item.ok_or("received no signal")?;
if item == SIGINT {
println!("received SIGINT");
} else {
assert_eq!(item, SIGTERM);
println!("received SIGTERM");
}
Ok(())
}
该程序将等待所有当前任务完成并捕获选定的信号。在Windows上这似乎不起作用,因为它会立即关闭程序。