作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我想将实现tokio::process::child::ChildStdout
的tokio::io::AsyncRead
的输出转发到实现futures::channel::mpsc::UnboundedSender<MyType>
的futures::sink::Sink
。
我正在使用一个定制的编解码器,该编解码器会生成MyType
的项目,但为了忠于MRE中的M,我将使用Tokio的LinesCodec
并针对这个问题说MyType = String
。
use futures::StreamExt; // 0.3.8
use tokio; // 1.0.1
use tokio_util; // 0.6.0
#[tokio::main]
pub async fn main() {
let (mut tx, rx) = futures::channel::mpsc::unbounded::<String>();
let mut process = tokio::process::Command::new("dmesg")
.arg("-w")
.stdout(std::process::Stdio::piped())
.spawn()
.unwrap();
let stdout = process.stdout.take().unwrap();
let codec = tokio_util::codec::LinesCodec::new();
let framed_read = tokio_util::codec::FramedRead::new(stdout, codec);
let forward = framed_read.forward(tx);
// read from the other end of the channel
tokio::spawn(async move {
while let Some(line) = rx.next().await {
eprintln!("{}", line);
}
});
//forward.await;
}
但是,编译器报告错误类型不匹配:
error[E0271]: type mismatch resolving `<futures::channel::mpsc::UnboundedSender<String> as futures::Sink<String>>::Error == LinesCodecError`
--> src/main.rs:19:31
|
19 | let forward = framed_read.forward(tx);
| ^^^^^^^ expected struct `futures::channel::mpsc::SendError`, found enum `LinesCodecError`
假设我在这里没有做根本上错误的事情,如何正确处理/转换这些错误类型?
最佳答案
流中的项目可能会失败(LinesCodecError
),并且将值发送到 channel 可能会失败(SendError
),但是整个转发过程只会导致单个错误类型。
您可以使用 SinkExt::sink_err_into
和 TryStreamExt::err_into
将错误转换为兼容的统一类型。在这里,我选择了Box<dyn Error>
:
type Error = Box<dyn std::error::Error>;
let forward = framed_read.err_into::<Error>().forward(tx.sink_err_into::<Error>());
在许多情况下,您将创建一个自定义错误类型。您也可能不需要像上面的示例那样使用turbofish,因为类型推断可能会在某个时候开始。
关于rust - 从AsyncRead转发到 future 0.3 mpsc::UnboundedSender <T>时的错误处理,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/65703532/
我想将实现tokio::process::child::ChildStdout的tokio::io::AsyncRead的输出转发到实现futures::channel::mpsc::Unbounde
我是一名优秀的程序员,十分优秀!