作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在将代码更新为 super 和 future 的最新版本,但是我尝试过的所有内容都遗漏了某种或多种实现的特征。
一个不工作的例子playground为此...
extern crate futures; // 0.3.5
extern crate hyper; // 0.13.6
use futures::{future, FutureExt, StreamExt, TryFutureExt, TryStreamExt};
use hyper::body;
fn get_body_as_vec<'a>(b: body::Body) -> future::BoxFuture<'a, Result<Vec<String>, hyper::Error>> {
let f = b.and_then(|bytes| {
let s = std::str::from_utf8(&bytes).expect("sends no utf-8");
let mut lines: Vec<String> = Vec::new();
for l in s.lines() {
lines.push(l.to_string());
}
future::ok(lines)
});
Box::pin(f)
}
这将产生错误:
error[E0277]: the trait bound `futures::stream::AndThen<hyper::Body, futures::future::Ready<std::result::Result<std::vec::Vec<std::string::String>, hyper::Error>>, [closure@src/lib.rs:8:24: 15:6]>: futures::Future` is not satisfied
--> src/lib.rs:17:5
|
17 | Box::pin(f)
| ^^^^^^^^^^^ the trait `futures::Future` is not implemented for `futures::stream::AndThen<hyper::Body, futures::future::Ready<std::result::Result<std::vec::Vec<std::string::String>, hyper::Error>>, [closure@src/lib.rs:8:24: 15:6]>`
|
= note: required for the cast to the object type `dyn futures::Future<Output = std::result::Result<std::vec::Vec<std::string::String>, hyper::Error>> + std::marker::Send`
我无法创造一个兼容的 future 。
Body
是一个流,我找不到实现所需特征的任何“转换器”功能。
concat2()
。
最佳答案
Note that this function consumes the receiving stream and returns awrapped version of it.
To process the entire stream and return a single future representingsuccess or error, use
try_for_each
instead.
f
仍然是Stream,
try_for_each
将按引用建议工作,但是
try_fold
是将字节表示为向量中的行的更好选择,但作为
@Shepmaster points in the comment;,如果我们直接将块转换为UTF-8,则可能会丢失完整性来自响应的多字节字符。
use futures::{future, FutureExt, TryStreamExt};
use hyper::body;
fn get_body_as_vec<'a>(b: body::Body) -> future::BoxFuture<'a, Result<Vec<String>>> {
let f = b
.try_fold(vec![], |mut vec, bytes| {
vec.extend_from_slice(&bytes);
future::ok(vec)
})
.map(|x| {
Ok(std::str::from_utf8(&x?)?
.lines()
.map(ToString::to_string)
.collect())
});
Box::pin(f)
}
Playground
channel
测试多个块的行为。这是我在大块场景中创建的行分区,可以很好地与上面的代码一起使用,但是如果直接处理大块,则会失去一致性。
let (mut sender, body) = body::Body::channel();
tokio::spawn(async move {
sender
.send_data("Line1\nLine2\nLine3\nLine4\nLine5".into())
.await;
sender
.send_data("next bytes of Line5\nLine6\nLine7\nLine8\n----".into())
.await;
});
println!("{:?}", get_body_as_vec(body).await);
Vec
中的新行)std::error:Error
和
hyper::Error
都实现了它,所以我一直使用
FromUtf8Error
作为返回类型,但是您仍然可以将
expect
策略与
hyper::Error
一起使用。
关于rust - 如何将hyper的Body流转换为Result <Vec <String >>?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/62993084/
我是一名优秀的程序员,十分优秀!