Prune the futures dependencies

This commit is contained in:
Constantin Nickel
2019-09-12 14:45:37 +02:00
committed by Sean McArthur
parent 5a337ba739
commit b1a90eb402
12 changed files with 54 additions and 45 deletions

View File

@@ -20,7 +20,9 @@ all-features = true
base64 = "0.10" base64 = "0.10"
bytes = "0.4" bytes = "0.4"
encoding_rs = "0.8" encoding_rs = "0.8"
futures-preview = { version = "=0.3.0-alpha.18" } futures-core-preview = { version = "=0.3.0-alpha.18" }
futures-channel-preview = { version = "=0.3.0-alpha.18" }
futures-util-preview = { version = "=0.3.0-alpha.18" }
http = "0.1.15" http = "0.1.15"
hyper = "=0.13.0-alpha.1" hyper = "=0.13.0-alpha.1"
log = "0.4" log = "0.4"

View File

@@ -1,5 +1,5 @@
use bytes::Bytes; use bytes::Bytes;
use futures::Stream; use futures_core::Stream;
use hyper::body::Payload; use hyper::body::Payload;
use std::fmt; use std::fmt;
use std::future::Future; use std::future::Future;
@@ -30,7 +30,7 @@ impl Body {
/// ///
/// ``` /// ```
/// # use reqwest::Body; /// # use reqwest::Body;
/// # use futures; /// # use futures_util;
/// # fn main() { /// # fn main() {
/// let chunks: Vec<Result<_, ::std::io::Error>> = vec![ /// let chunks: Vec<Result<_, ::std::io::Error>> = vec![
/// Ok("hello"), /// Ok("hello"),
@@ -38,14 +38,14 @@ impl Body {
/// Ok("world"), /// Ok("world"),
/// ]; /// ];
/// ///
/// let stream = futures::stream::iter(chunks); /// let stream = futures_util::stream::iter(chunks);
/// ///
/// let body = Body::wrap_stream(stream); /// let body = Body::wrap_stream(stream);
/// # } /// # }
/// ``` /// ```
pub fn wrap_stream<S>(stream: S) -> Body pub fn wrap_stream<S>(stream: S) -> Body
where where
S: futures::TryStream + Send + Sync + 'static, S: futures_core::stream::TryStream + Send + Sync + 'static,
S::Error: Into<Box<dyn std::error::Error + Send + Sync>>, S::Error: Into<Box<dyn std::error::Error + Send + Sync>>,
hyper::Chunk: From<S::Ok>, hyper::Chunk: From<S::Ok>,
{ {
@@ -157,7 +157,7 @@ impl Stream for ImplStream {
return Poll::Ready(Some(Err(crate::error::timedout(None)))); return Poll::Ready(Some(Err(crate::error::timedout(None))));
} }
} }
futures::ready!(Pin::new(body).poll_data(cx)) futures_core::ready!(Pin::new(body).poll_data(cx))
.map(|opt_chunk| opt_chunk.map(Into::into).map_err(crate::error::from)) .map(|opt_chunk| opt_chunk.map(Into::into).map_err(crate::error::from))
} }
Inner::Reusable(ref mut bytes) => { Inner::Reusable(ref mut bytes) => {

View File

@@ -19,8 +19,8 @@ use std::task::{Context, Poll};
use async_compression::stream::GzipDecoder; use async_compression::stream::GzipDecoder;
use bytes::Bytes; use bytes::Bytes;
use futures::stream::Peekable; use futures_core::Stream;
use futures::Stream; use futures_util::stream::Peekable;
use hyper::header::{CONTENT_ENCODING, CONTENT_LENGTH, TRANSFER_ENCODING}; use hyper::header::{CONTENT_ENCODING, CONTENT_LENGTH, TRANSFER_ENCODING};
use hyper::HeaderMap; use hyper::HeaderMap;
@@ -80,7 +80,7 @@ impl Decoder {
/// ///
/// This decoder will buffer and decompress chunks that are gzipped. /// This decoder will buffer and decompress chunks that are gzipped.
fn gzip(body: Body) -> Decoder { fn gzip(body: Body) -> Decoder {
use futures::stream::StreamExt; use futures_util::StreamExt;
Decoder { Decoder {
inner: Inner::Pending(Pending(IoStream(body.into_stream()).peekable())), inner: Inner::Pending(Pending(IoStream(body.into_stream()).peekable())),
@@ -142,7 +142,7 @@ impl Stream for Decoder {
}, },
Inner::PlainText(ref mut body) => return Pin::new(body).poll_next(cx), Inner::PlainText(ref mut body) => return Pin::new(body).poll_next(cx),
Inner::Gzip(ref mut decoder) => { Inner::Gzip(ref mut decoder) => {
return match futures::ready!(Pin::new(decoder).poll_next(cx)) { return match futures_core::ready!(Pin::new(decoder).poll_next(cx)) {
Some(Ok(bytes)) => Poll::Ready(Some(Ok(bytes))), Some(Ok(bytes)) => Poll::Ready(Some(Ok(bytes))),
Some(Err(err)) => Poll::Ready(Some(Err(crate::error::from_io(err)))), Some(Err(err)) => Poll::Ready(Some(Err(crate::error::from_io(err)))),
None => Poll::Ready(None), None => Poll::Ready(None),
@@ -159,15 +159,17 @@ impl Future for Pending {
type Output = Result<Inner, std::io::Error>; type Output = Result<Inner, std::io::Error>;
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> { fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
use futures::stream::StreamExt; use futures_util::StreamExt;
match futures::ready!(Pin::new(&mut self.0).peek(cx)) { match futures_core::ready!(Pin::new(&mut self.0).peek(cx)) {
Some(Ok(_)) => { Some(Ok(_)) => {
// fallthrough // fallthrough
} }
Some(Err(_e)) => { Some(Err(_e)) => {
// error was just a ref, so we need to really poll to move it // error was just a ref, so we need to really poll to move it
return Poll::Ready(Err(futures::ready!(Pin::new(&mut self.0).poll_next(cx)) return Poll::Ready(Err(futures_core::ready!(
Pin::new(&mut self.0).poll_next(cx)
)
.expect("just peeked Some") .expect("just peeked Some")
.unwrap_err())); .unwrap_err()));
} }
@@ -186,7 +188,7 @@ impl Stream for IoStream {
type Item = Result<Bytes, std::io::Error>; type Item = Result<Bytes, std::io::Error>;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context) -> Poll<Option<Self::Item>> { fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context) -> Poll<Option<Self::Item>> {
match futures::ready!(Pin::new(&mut self.0).poll_next(cx)) { match futures_core::ready!(Pin::new(&mut self.0).poll_next(cx)) {
Some(Ok(chunk)) => Poll::Ready(Some(Ok(chunk))), Some(Ok(chunk)) => Poll::Ready(Some(Ok(chunk))),
Some(Err(err)) => Poll::Ready(Some(Err(err.into_io()))), Some(Err(err)) => Poll::Ready(Some(Err(err.into_io()))),
None => Poll::Ready(None), None => Poll::Ready(None),

View File

@@ -7,7 +7,7 @@ use mime_guess::Mime;
use percent_encoding::{self, AsciiSet, NON_ALPHANUMERIC}; use percent_encoding::{self, AsciiSet, NON_ALPHANUMERIC};
use uuid::Uuid; use uuid::Uuid;
use futures::StreamExt; use futures_util::StreamExt;
use super::Body; use super::Body;
@@ -473,7 +473,8 @@ impl PercentEncoding {
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use super::*; use super::*;
use futures::TryStreamExt; use futures_util::TryStreamExt;
use futures_util::{future, stream};
use tokio; use tokio;
#[test] #[test]
@@ -493,17 +494,21 @@ mod tests {
let mut form = Form::new() let mut form = Form::new()
.part( .part(
"reader1", "reader1",
Part::stream(Body::wrap_stream(futures::stream::once( Part::stream(Body::wrap_stream(stream::once(future::ready::<
futures::future::ready::<Result<String, crate::Error>>(Ok("part1".to_owned())), Result<String, crate::Error>,
))), >(Ok(
"part1".to_owned(),
))))),
) )
.part("key1", Part::text("value1")) .part("key1", Part::text("value1"))
.part("key2", Part::text("value2").mime(mime::IMAGE_BMP)) .part("key2", Part::text("value2").mime(mime::IMAGE_BMP))
.part( .part(
"reader2", "reader2",
Part::stream(Body::wrap_stream(futures::stream::once( Part::stream(Body::wrap_stream(stream::once(future::ready::<
futures::future::ready::<Result<String, crate::Error>>(Ok("part2".to_owned())), Result<String, crate::Error>,
))), >(Ok(
"part2".to_owned(),
))))),
) )
.part("key3", Part::text("value3").file_name("filename")); .part("key3", Part::text("value3").file_name("filename"));
form.inner.boundary = "boundary".to_string(); form.inner.boundary = "boundary".to_string();

View File

@@ -1,7 +1,7 @@
use std::fmt; use std::fmt;
use std::future::Future;
use base64::encode; use base64::encode;
use futures::Future;
use serde::Serialize; use serde::Serialize;
use serde_json; use serde_json;
use serde_urlencoded; use serde_urlencoded;

View File

@@ -4,7 +4,7 @@ use std::net::SocketAddr;
use bytes::Bytes; use bytes::Bytes;
use encoding_rs::{Encoding, UTF_8}; use encoding_rs::{Encoding, UTF_8};
use futures::{StreamExt, TryStreamExt}; use futures_util::{StreamExt, TryStreamExt};
use http; use http;
use hyper::client::connect::HttpInfo; use hyper::client::connect::HttpInfo;
use hyper::header::CONTENT_LENGTH; use hyper::header::CONTENT_LENGTH;

View File

@@ -5,8 +5,8 @@ use std::sync::Arc;
use std::thread; use std::thread;
use std::time::Duration; use std::time::Duration;
use futures::channel::{mpsc, oneshot}; use futures_channel::{mpsc, oneshot};
use futures::{StreamExt, TryFutureExt}; use futures_util::{StreamExt, TryFutureExt};
use log::{error, trace}; use log::{error, trace};
@@ -652,15 +652,15 @@ where
{ {
use std::task::Poll; use std::task::Poll;
futures::pin_mut!(fut); futures_util::pin_mut!(fut);
// "select" on the sender being canceled, and the future completing // "select" on the sender being canceled, and the future completing
let res = futures::future::poll_fn(|cx| { let res = futures_util::future::poll_fn(|cx| {
match fut.as_mut().poll(cx) { match fut.as_mut().poll(cx) {
Poll::Ready(val) => Poll::Ready(Some(val)), Poll::Ready(val) => Poll::Ready(Some(val)),
Poll::Pending => { Poll::Pending => {
// check if the callback is canceled // check if the callback is canceled
futures::ready!(tx.poll_cancel(cx)); futures_core::ready!(tx.poll_cancel(cx));
Poll::Ready(None) Poll::Ready(None)
} }
} }

View File

@@ -17,7 +17,7 @@ use crate::{async_impl, StatusCode, Url, Version};
/// A Response to a submitted `Request`. /// A Response to a submitted `Request`.
pub struct Response { pub struct Response {
inner: async_impl::Response, inner: async_impl::Response,
body: Option<Pin<Box<dyn futures::io::AsyncRead + Send + Sync>>>, body: Option<Pin<Box<dyn futures_util::io::AsyncRead + Send + Sync>>>,
timeout: Option<Duration>, timeout: Option<Duration>,
_thread_handle: KeepCoreThreadAlive, _thread_handle: KeepCoreThreadAlive,
} }
@@ -340,8 +340,8 @@ impl Response {
// private // private
fn body_mut(&mut self) -> Pin<&mut dyn futures::io::AsyncRead> { fn body_mut(&mut self) -> Pin<&mut dyn futures_util::io::AsyncRead> {
use futures::stream::TryStreamExt; use futures_util::TryStreamExt;
if self.body.is_none() { if self.body.is_none() {
let body = mem::replace(self.inner.body_mut(), async_impl::Decoder::empty()); let body = mem::replace(self.inner.body_mut(), async_impl::Decoder::empty());
@@ -355,7 +355,7 @@ impl Response {
impl Read for Response { impl Read for Response {
fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> { fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
use futures::io::AsyncReadExt; use futures_util::io::AsyncReadExt;
let timeout = self.timeout; let timeout = self.timeout;
wait::timeout(self.body_mut().read(buf), timeout).map_err(|e| match e { wait::timeout(self.body_mut().read(buf), timeout).map_err(|e| match e {

View File

@@ -23,10 +23,10 @@ where
let mut park = ParkThread::new(); let mut park = ParkThread::new();
// Arc shouldn't be necessary, since UnparkThread is reference counted internally, // Arc shouldn't be necessary, since UnparkThread is reference counted internally,
// but let's just stay safe for now. // but let's just stay safe for now.
let waker = futures::task::waker(Arc::new(UnparkWaker(park.unpark()))); let waker = futures_util::task::waker(Arc::new(UnparkWaker(park.unpark())));
let mut cx = Context::from_waker(&waker); let mut cx = Context::from_waker(&waker);
futures::pin_mut!(fut); futures_util::pin_mut!(fut);
loop { loop {
match fut.as_mut().poll(&mut cx) { match fut.as_mut().poll(&mut cx) {
@@ -60,7 +60,7 @@ pub(crate) enum Waited<E> {
struct UnparkWaker(UnparkThread); struct UnparkWaker(UnparkThread);
impl futures::task::ArcWake for UnparkWaker { impl futures_util::task::ArcWake for UnparkWaker {
fn wake_by_ref(arc_self: &Arc<Self>) { fn wake_by_ref(arc_self: &Arc<Self>) {
arc_self.0.unpark(); arc_self.0.unpark();
} }

View File

@@ -1,4 +1,4 @@
use futures::FutureExt; use futures_util::FutureExt;
use http::uri::Scheme; use http::uri::Scheme;
use hyper::client::connect::{Connect, Connected, Destination}; use hyper::client::connect::{Connect, Connected, Destination};
use tokio::io::{AsyncRead, AsyncWrite}; use tokio::io::{AsyncRead, AsyncWrite};

View File

@@ -1,8 +1,9 @@
use std::future::Future;
use std::net::IpAddr; use std::net::IpAddr;
use std::sync::{Arc, Mutex, Once}; use std::sync::{Arc, Mutex, Once};
use std::{io, vec}; use std::{io, vec};
use futures::{future, Future}; use futures_util::future;
use hyper::client::connect::dns as hyper_dns; use hyper::client::connect::dns as hyper_dns;
use tokio; use tokio;
use trust_dns_resolver::{system_conf, AsyncResolver, BackgroundLookupIp}; use trust_dns_resolver::{system_conf, AsyncResolver, BackgroundLookupIp};

View File

@@ -85,12 +85,11 @@ async fn response_json() {
#[tokio::test] #[tokio::test]
async fn multipart() { async fn multipart() {
use futures_util::{future, stream};
let _ = env_logger::try_init(); let _ = env_logger::try_init();
let stream = reqwest::Body::wrap_stream(futures::stream::once(futures::future::ready(Ok::< let stream = reqwest::Body::wrap_stream(stream::once(future::ready(Ok::<_, reqwest::Error>(
_,
reqwest::Error,
>(
"part1 part2".to_owned(), "part1 part2".to_owned(),
)))); ))));
let part = Part::stream(stream); let part = Part::stream(stream);
@@ -284,7 +283,7 @@ async fn gzip_case(response_size: usize, chunk_size: usize) {
async fn body_stream() { async fn body_stream() {
let _ = env_logger::try_init(); let _ = env_logger::try_init();
let source = futures::stream::iter::<Vec<Result<Bytes, std::io::Error>>>(vec![ let source = futures_util::stream::iter::<Vec<Result<Bytes, std::io::Error>>>(vec![
Ok(Bytes::from_static(b"123")), Ok(Bytes::from_static(b"123")),
Ok(Bytes::from_static(b"4567")), Ok(Bytes::from_static(b"4567")),
]); ]);