208 lines
5.7 KiB
Rust
208 lines
5.7 KiB
Rust
use std::io::{self, Read};
|
|
use std::fs::File;
|
|
use std::fmt;
|
|
|
|
use bytes::Bytes;
|
|
use hyper::{self, Chunk};
|
|
|
|
use {async_impl, wait};
|
|
|
|
/// Body type for a request.
|
|
#[derive(Debug)]
|
|
pub struct Body {
|
|
reader: Kind,
|
|
}
|
|
|
|
impl Body {
|
|
/// Instantiate a `Body` from a reader.
|
|
///
|
|
/// # Note
|
|
///
|
|
/// While allowing for many types to be used, these bodies do not have
|
|
/// a way to reset to the beginning and be reused. This means that when
|
|
/// encountering a 307 or 308 status code, instead of repeating the
|
|
/// request at the new location, the `Response` will be returned with
|
|
/// the redirect status code set.
|
|
///
|
|
/// ```rust
|
|
/// # use std::fs::File;
|
|
/// # use reqwest::Body;
|
|
/// # fn run() -> Result<(), Box<std::error::Error>> {
|
|
/// let file = File::open("national_secrets.txt")?;
|
|
/// let body = Body::new(file);
|
|
/// # Ok(())
|
|
/// # }
|
|
/// ```
|
|
///
|
|
/// If you have a set of bytes, like `String` or `Vec<u8>`, using the
|
|
/// `From` implementations for `Body` will store the data in a manner
|
|
/// it can be reused.
|
|
///
|
|
/// ```rust
|
|
/// # use reqwest::Body;
|
|
/// # fn run() -> Result<(), Box<std::error::Error>> {
|
|
/// let s = "A stringy body";
|
|
/// let body = Body::from(s);
|
|
/// # Ok(())
|
|
/// # }
|
|
/// ```
|
|
pub fn new<R: Read + Send + 'static>(reader: R) -> Body {
|
|
Body {
|
|
reader: Kind::Reader(Box::new(reader), None),
|
|
}
|
|
}
|
|
|
|
/// Create a `Body` from a `Reader` where we can predict the size in
|
|
/// advance, but where we don't want to load the data in memory. This
|
|
/// is useful if we need to ensure `Content-Length` is passed with the
|
|
/// request.
|
|
///
|
|
/// ```rust
|
|
/// # use std::fs::File;
|
|
/// # use reqwest::Body;
|
|
/// # fn run() -> Result<(), Box<std::error::Error>> {
|
|
/// let file = File::open("a_large_file.txt")?;
|
|
/// let file_size = file.metadata()?.len();
|
|
/// let body = Body::sized(file, file_size);
|
|
/// # Ok(())
|
|
/// # }
|
|
/// ```
|
|
pub fn sized<R: Read + Send + 'static>(reader: R, len: u64) -> Body {
|
|
Body {
|
|
reader: Kind::Reader(Box::new(reader), Some(len)),
|
|
}
|
|
}
|
|
}
|
|
|
|
// useful for tests, but not publicly exposed
|
|
#[cfg(test)]
|
|
pub fn read_to_string(mut body: Body) -> ::std::io::Result<String> {
|
|
let mut s = String::new();
|
|
match body.reader {
|
|
Kind::Reader(ref mut reader, _) => reader.read_to_string(&mut s),
|
|
Kind::Bytes(ref mut bytes) => (&**bytes).read_to_string(&mut s),
|
|
}
|
|
.map(|_| s)
|
|
}
|
|
|
|
enum Kind {
|
|
Reader(Box<Read + Send>, Option<u64>),
|
|
Bytes(Bytes),
|
|
}
|
|
|
|
impl From<Vec<u8>> for Body {
|
|
#[inline]
|
|
fn from(v: Vec<u8>) -> Body {
|
|
Body {
|
|
reader: Kind::Bytes(v.into()),
|
|
}
|
|
}
|
|
}
|
|
|
|
impl From<String> for Body {
|
|
#[inline]
|
|
fn from(s: String) -> Body {
|
|
s.into_bytes().into()
|
|
}
|
|
}
|
|
|
|
|
|
impl From<&'static [u8]> for Body {
|
|
#[inline]
|
|
fn from(s: &'static [u8]) -> Body {
|
|
Body {
|
|
reader: Kind::Bytes(Bytes::from_static(s)),
|
|
}
|
|
}
|
|
}
|
|
|
|
impl From<&'static str> for Body {
|
|
#[inline]
|
|
fn from(s: &'static str) -> Body {
|
|
s.as_bytes().into()
|
|
}
|
|
}
|
|
|
|
impl From<File> for Body {
|
|
#[inline]
|
|
fn from(f: File) -> Body {
|
|
let len = f.metadata().map(|m| m.len()).ok();
|
|
Body {
|
|
reader: Kind::Reader(Box::new(f), len),
|
|
}
|
|
}
|
|
}
|
|
|
|
impl fmt::Debug for Kind {
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
|
match *self {
|
|
Kind::Reader(_, ref v) => f.debug_tuple("Kind::Reader").field(&"_").field(v).finish(),
|
|
Kind::Bytes(ref v) => f.debug_tuple("Kind::Bytes").field(v).finish(),
|
|
}
|
|
}
|
|
}
|
|
|
|
|
|
// pub(crate)
|
|
|
|
pub struct Sender {
|
|
body: (Box<Read + Send>, Option<u64>),
|
|
tx: wait::WaitSink<::futures::sync::mpsc::Sender<hyper::Result<Chunk>>>,
|
|
}
|
|
|
|
impl Sender {
|
|
pub fn send(self) -> ::Result<()> {
|
|
use std::cmp;
|
|
use bytes::{BufMut, BytesMut};
|
|
|
|
let cap = cmp::min(self.body.1.unwrap_or(8192), 8192);
|
|
let mut buf = BytesMut::with_capacity(cap as usize);
|
|
let mut body = self.body.0;
|
|
let mut tx = self.tx;
|
|
loop {
|
|
println!("reading");
|
|
match body.read(unsafe { buf.bytes_mut() }) {
|
|
Ok(0) => return Ok(()),
|
|
Ok(n) => {
|
|
unsafe { buf.advance_mut(n); }
|
|
println!("sending {}", n);
|
|
if let Err(e) = tx.send(Ok(buf.take().freeze().into())) {
|
|
if let wait::Waited::Err(_) = e {
|
|
let epipe = io::Error::new(io::ErrorKind::BrokenPipe, "broken pipe");
|
|
return Err(::error::from(epipe));
|
|
} else {
|
|
return Err(::error::timedout(None));
|
|
}
|
|
}
|
|
if buf.remaining_mut() == 0 {
|
|
buf.reserve(8192);
|
|
}
|
|
}
|
|
Err(e) => {
|
|
let ret = io::Error::new(e.kind(), e.to_string());
|
|
let _ = tx.send(Err(e.into()));
|
|
return Err(::error::from(ret));
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
#[inline]
|
|
pub fn async(body: Body) -> (Option<Sender>, async_impl::Body, Option<u64>) {
|
|
match body.reader {
|
|
Kind::Reader(read, len) => {
|
|
let (tx, rx) = hyper::Body::pair();
|
|
let tx = Sender {
|
|
body: (read, len),
|
|
tx: wait::sink(tx, None),
|
|
};
|
|
(Some(tx), async_impl::body::wrap(rx), len)
|
|
},
|
|
Kind::Bytes(chunk) => {
|
|
let len = chunk.len() as u64;
|
|
(None, async_impl::body::reusable(chunk), Some(len))
|
|
}
|
|
}
|
|
}
|