Web*_*rix 5 future rust rust-tokio
我正在尝试了解如何futures::sync::mpsc::Receiver
运作。在下面的示例中,接收方线程休眠两秒,发送方每秒发送一次。
我预计发送方需要因等待而被阻塞,然后在缓冲区释放时发送。
相反,我看到的是一段时间后陷入僵局。增加通道的缓冲区只会延长通道被阻塞的时间。
我应该怎么做才能让发送方在缓冲区可用时发送数据,并在这种情况下向发送方施加一些背压?futures::sync::mpsc::channel
有它自己的文档,但我不明白如何正确使用它。
extern crate futures;
extern crate tokio_core;
use std::{thread, time};
use futures::sync::mpsc;
use futures::{Future, Sink, Stream};
use tokio_core::reactor::Core;
#[derive(Debug)]
struct Stats {
pub success: usize,
pub failure: usize,
}
fn main() {
let mut core = Core::new().expect("Failed to create core");
let remote = core.remote();
let (tx, rx) = mpsc::channel(1);
thread::spawn(move || loop {
let tx = tx.clone();
let delay = time::Duration::from_secs(1);
thread::sleep(delay);
let f = ::futures::done::<(), ()>(Ok(()));
remote.spawn(|_| {
f.then(|res| {
println!("Sending");
tx.send(res).wait();
println!("Sent");
Ok(())
})
});
});
let mut stats = Stats {
success: 0,
failure: 0,
};
let f2 = rx.for_each(|res| {
println!("Received");
let delay = time::Duration::from_secs(2);
thread::sleep(delay);
match res {
Ok(_) => stats.success += 1,
Err(_) => stats.failure += 1,
}
println!("stats = {:?}", stats);
Ok(())
});
core.run(f2).expect("Core failed to run");
}
Run Code Online (Sandbox Code Playgroud)
wait
永远不要在 future 内部调用。这就是阻塞,并且阻塞永远不应该在 future 内完成。
sleep
永远不要在 future 内部调用。这就是阻塞,并且阻塞永远不应该在 future 内完成。
通道背压是通过消耗send
并Sender
返回 future 来实现的。当队列中有空间时,未来会返回Sender
给您。
extern crate futures; // 0.1.25
extern crate tokio; // 0.1.11
use futures::{future, sync::mpsc, Future, Sink, Stream};
use std::time::Duration;
use tokio::timer::Interval;
#[derive(Debug)]
struct Stats {
pub success: usize,
pub failure: usize,
}
fn main() {
tokio::run(future::lazy(|| {
let (tx, rx) = mpsc::channel::<Result<(), ()>>(1);
tokio::spawn({
Interval::new_interval(Duration::from_millis(10))
.map_err(|e| panic!("Interval error: {}", e))
.fold(tx, |tx, _| {
tx.send(Ok(())).map_err(|e| panic!("Send error: {}", e))
})
.map(drop) // discard the tx
});
let mut stats = Stats {
success: 0,
failure: 0,
};
let i = Interval::new_interval(Duration::from_millis(20))
.map_err(|e| panic!("Interval error: {}", e));
rx.zip(i).for_each(move |(res, _)| {
println!("Received");
match res {
Ok(_) => stats.success += 1,
Err(_) => stats.failure += 1,
}
println!("stats = {:?}", stats);
Ok(())
})
}));
}
Run Code Online (Sandbox Code Playgroud)
归档时间: |
|
查看次数: |
1724 次 |
最近记录: |