gpt4 book ai didi

rust - 如何向 tokio-io 添加特殊的 NotReady 逻辑?

转载 作者:行者123 更新时间:2023-11-29 08:07:34 28 4
gpt4 key购买 nike

我正在尝试制作一个 Stream ,它会等到特定字符进入缓冲区。我知道 BufRead 上有 read_until() 但我实际上需要一个自定义解决方案,因为这是实现等待缓冲区中的特定字符串(或者,对于例如,发生正则表达式匹配)。

在我第一次遇到问题的项目中,问题是当我从内部 future 获得 Ready(_) 并从我的返回 NotReady 时, future 的处理只是挂起功能。我发现我不应该那样做 per docs (最后一段)。但是,我没有得到的是该段中 promise 的实际替代方案是什么。我阅读了 Tokio 网站上所有已发布的文档,目前对我来说没有意义。

下面是我当前的代码。不幸的是,我不能让它更简单和更小,因为它已经坏了。当前结果是这样的:

Err(Custom { kind: Other, error: Error(Shutdown) })
Err(Custom { kind: Other, error: Error(Shutdown) })
Err(Custom { kind: Other, error: Error(Shutdown) })
<ad infinum>

预期的结果是从中得到一些Ok(Ready(_)),同时打印WW',并等待缓冲区中的特定字符。

extern crate futures;
extern crate tokio_core;
extern crate tokio_io;
extern crate tokio_io_timeout;
extern crate tokio_process;

use futures::stream::poll_fn;
use futures::{Async, Poll, Stream};
use tokio_core::reactor::Core;
use tokio_io::AsyncRead;
use tokio_io_timeout::TimeoutReader;
use tokio_process::CommandExt;

use std::process::{Command, Stdio};
use std::sync::{Arc, Mutex};
use std::thread;
use std::time::Duration;

struct Process {
child: tokio_process::Child,
stdout: Arc<Mutex<tokio_io_timeout::TimeoutReader<tokio_process::ChildStdout>>>,
}

impl Process {
fn new(
command: &str,
reader_timeout: Option<Duration>,
core: &tokio_core::reactor::Core,
) -> Self {
let mut cmd = Command::new(command);
let cat = cmd.stdout(Stdio::piped());
let mut child = cat.spawn_async(&core.handle()).unwrap();

let stdout = child.stdout().take().unwrap();
let mut timeout_reader = TimeoutReader::new(stdout);
timeout_reader.set_timeout(reader_timeout);
let timeout_reader = Arc::new(Mutex::new(timeout_reader));

Self {
child,
stdout: timeout_reader,
}
}
}

fn work() -> Result<(), ()> {
let window = Arc::new(Mutex::new(Vec::new()));

let mut core = Core::new().unwrap();
let process = Process::new("cat", Some(Duration::from_secs(20)), &core);

let mark = Arc::new(Mutex::new(b'c'));

let read_until_stream = poll_fn({
let window = window.clone();
let timeout_reader = process.stdout.clone();
move || -> Poll<Option<u8>, std::io::Error> {
let mut buf = [0; 8];
let poll;
{
let mut timeout_reader = timeout_reader.lock().unwrap();
poll = timeout_reader.poll_read(&mut buf);
}
match poll {
Ok(Async::Ready(0)) => Ok(Async::Ready(None)),
Ok(Async::Ready(x)) => {
{
let mut window = window.lock().unwrap();
println!("W: {:?}", *window);
println!("buf: {:?}", &buf[0..x]);
window.extend(buf[0..x].into_iter().map(|x| *x));
println!("W': {:?}", *window);
if let Some(_) = window.iter().find(|c| **c == *mark.lock().unwrap()) {
Ok(Async::Ready(Some(1)))
} else {
Ok(Async::NotReady)
}
}
}
Ok(Async::NotReady) => Ok(Async::NotReady),
Err(e) => Err(e),
}
}
});

let _stream_thread = thread::spawn(move || {
for o in read_until_stream.wait() {
println!("{:?}", o);
}
});

match core.run(process.child) {
Ok(_) => {}
Err(e) => {
println!("Child error: {:?}", e);
}
}

Ok(())
}

fn main() {
work().unwrap();
}

This is complete example project .

最佳答案

如果您需要更多数据,您需要再次调用 poll_read,直到找到您要查找的内容或 poll_read 返回 NotReady

您可能希望避免在一个任务中循环太久,因此您可以自己构建一个 yield_task 函数,以便在 poll_read 未返回 时调用未就绪;它确保您的任务在其他未决任务运行后尽快再次调用。

要使用它,只需运行 return yield_task();

fn yield_inner() {
use futures::task;
task::current().notify();
}

#[inline(always)]
pub fn yield_task<T, E>() -> Poll<T, E> {
yield_inner();
Ok(Async::NotReady)
}

另见 futures-rs#354: Handle long-running, always-ready futures fairly #354 .


随着新的 async/await API futures::task::current 消失了;相反,你需要一个 std::task::Context引用,作为参数提供给新的 std::future::Future::poll特征方法。

如果您已经在手动实现 std::future::Future您可以简单地插入特征:

context.waker().wake_by_ref();
return std::task::Poll::Pending;

或者为自己打造一个 Future -实现只产生一次的类型:

pub struct Yield {
ready: bool,
}

impl core::future::Future for Yield {
type Output = ();

fn poll(self: core::pin::Pin<&mut Self>, cx: &mut core::task::Context<'_>) -> core::task::Poll<Self::Output> {
let this = self.get_mut();
if this.ready {
core::task::Poll::Ready(())
} else {
cx.waker().wake_by_ref();
this.ready = true; // ready next round
core::task::Poll::Pending
}
}
}

pub fn yield_task() -> Yield {
Yield { ready: false }
}

然后像这样在 async 代码中使用它:

yield_task().await;

关于rust - 如何向 tokio-io 添加特殊的 NotReady 逻辑?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/50394915/

28 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com