Merge pull request #1066 from hyperium/outgoing-generic
feat(http): allow specifying custom body streams
This commit is contained in:
		| @@ -60,7 +60,7 @@ fn post_one_at_a_time(b: &mut test::Bencher) { | ||||
|         req.headers_mut().set(ContentLength(post.len() as u64)); | ||||
|         req.set_body(post); | ||||
|  | ||||
|         let work = client.get(url.clone()).and_then(|res| { | ||||
|         let work = client.request(req).and_then(|res| { | ||||
|             res.body().for_each(|_chunk| { | ||||
|                 Ok(()) | ||||
|             }) | ||||
|   | ||||
| @@ -6,10 +6,11 @@ | ||||
| use std::cell::RefCell; | ||||
| use std::fmt; | ||||
| use std::io; | ||||
| use std::marker::PhantomData; | ||||
| use std::rc::Rc; | ||||
| use std::time::Duration; | ||||
|  | ||||
| use futures::{Poll, Async, Future}; | ||||
| use futures::{Poll, Async, Future, Stream}; | ||||
| use relay; | ||||
| use tokio::io::Io; | ||||
| use tokio::reactor::Handle; | ||||
| @@ -37,14 +38,21 @@ mod response; | ||||
|  | ||||
| /// A Client to make outgoing HTTP requests. | ||||
| // If the Connector is clone, then the Client can be clone easily. | ||||
| #[derive(Clone)] | ||||
| pub struct Client<C> { | ||||
| pub struct Client<C, B = http::Body> { | ||||
|     connector: C, | ||||
|     handle: Handle, | ||||
|     pool: Pool<TokioClient>, | ||||
|     pool: Pool<TokioClient<B>>, | ||||
| } | ||||
|  | ||||
| impl Client<HttpConnector> { | ||||
| impl Client<HttpConnector, http::Body> { | ||||
|     /// Create a new Client with the default config. | ||||
|     #[inline] | ||||
|     pub fn new(handle: &Handle) -> Client<HttpConnector, http::Body> { | ||||
|         Config::default().build(handle) | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl Client<HttpConnector, http::Body> { | ||||
|     /// Configure a Client. | ||||
|     /// | ||||
|     /// # Example | ||||
| @@ -63,30 +71,28 @@ impl Client<HttpConnector> { | ||||
|     /// # } | ||||
|     /// ``` | ||||
|     #[inline] | ||||
|     pub fn configure() -> Config<UseDefaultConnector> { | ||||
|     pub fn configure() -> Config<UseDefaultConnector, http::Body> { | ||||
|         Config::default() | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl Client<HttpConnector> { | ||||
|     /// Create a new Client with the default config. | ||||
|     #[inline] | ||||
|     pub fn new(handle: &Handle) -> Client<HttpConnector> { | ||||
|         Client::configure().build(handle) | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C: Connect> Client<C> { | ||||
| impl<C, B> Client<C, B> { | ||||
|     /// Create a new client with a specific connector. | ||||
|     #[inline] | ||||
|     fn configured(config: Config<C>, handle: &Handle) -> Client<C> { | ||||
|     fn configured(config: Config<C, B>, handle: &Handle) -> Client<C, B> { | ||||
|         Client { | ||||
|             connector: config.connector, | ||||
|             handle: handle.clone(), | ||||
|             pool: Pool::new(config.keep_alive, config.keep_alive_timeout), | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C, B> Client<C, B> | ||||
| where C: Connect, | ||||
|       B: Stream<Error=::Error> + 'static, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     /// Send a GET Request using this Client. | ||||
|     #[inline] | ||||
|     pub fn get(&self, url: Url) -> FutureResponse { | ||||
| @@ -95,7 +101,7 @@ impl<C: Connect> Client<C> { | ||||
|  | ||||
|     /// Send a constructed Request using this Client. | ||||
|     #[inline] | ||||
|     pub fn request(&self, req: Request) -> FutureResponse { | ||||
|     pub fn request(&self, req: Request<B>) -> FutureResponse { | ||||
|         self.call(req) | ||||
|     } | ||||
| } | ||||
| @@ -118,13 +124,17 @@ impl Future for FutureResponse { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C: Connect> Service for Client<C> { | ||||
|     type Request = Request; | ||||
| impl<C, B> Service for Client<C, B> | ||||
| where C: Connect, | ||||
|       B: Stream<Error=::Error> + 'static, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     type Request = Request<B>; | ||||
|     type Response = Response; | ||||
|     type Error = ::Error; | ||||
|     type Future = FutureResponse; | ||||
|  | ||||
|     fn call(&self, req: Request) -> Self::Future { | ||||
|     fn call(&self, req: Self::Request) -> Self::Future { | ||||
|         let url = req.url().clone(); | ||||
|         let (mut head, body) = request::split(req); | ||||
|         let mut headers = Headers::new(); | ||||
| @@ -178,26 +188,40 @@ impl<C: Connect> Service for Client<C> { | ||||
|  | ||||
| } | ||||
|  | ||||
| impl<C> fmt::Debug for Client<C> { | ||||
| impl<C: Clone, B> Clone for Client<C, B> { | ||||
|     fn clone(&self) -> Client<C, B> { | ||||
|         Client { | ||||
|             connector: self.connector.clone(), | ||||
|             handle: self.handle.clone(), | ||||
|             pool: self.pool.clone(), | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C, B> fmt::Debug for Client<C, B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.pad("Client") | ||||
|     } | ||||
| } | ||||
|  | ||||
| type TokioClient = ClientProxy<Message<http::RequestHead, TokioBody>, Message<http::ResponseHead, TokioBody>, ::Error>; | ||||
| type TokioClient<B> = ClientProxy<Message<http::RequestHead, B>, Message<http::ResponseHead, TokioBody>, ::Error>; | ||||
|  | ||||
| struct HttpClient { | ||||
|     client_rx: RefCell<Option<relay::Receiver<Pooled<TokioClient>>>>, | ||||
| struct HttpClient<B> { | ||||
|     client_rx: RefCell<Option<relay::Receiver<Pooled<TokioClient<B>>>>>, | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> ClientProto<T> for HttpClient { | ||||
| impl<T, B> ClientProto<T> for HttpClient<B> | ||||
| where T: Io + 'static, | ||||
|       B: Stream<Error=::Error> + 'static, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     type Request = http::RequestHead; | ||||
|     type RequestBody = http::Chunk; | ||||
|     type RequestBody = B::Item; | ||||
|     type Response = http::ResponseHead; | ||||
|     type ResponseBody = http::Chunk; | ||||
|     type Error = ::Error; | ||||
|     type Transport = http::Conn<T, http::ClientTransaction, Pooled<TokioClient>>; | ||||
|     type BindTransport = BindingClient<T>; | ||||
|     type Transport = http::Conn<T, B::Item, http::ClientTransaction, Pooled<TokioClient<B>>>; | ||||
|     type BindTransport = BindingClient<T, B>; | ||||
|  | ||||
|     fn bind_transport(&self, io: T) -> Self::BindTransport { | ||||
|         BindingClient { | ||||
| @@ -207,13 +231,17 @@ impl<T: Io + 'static> ClientProto<T> for HttpClient { | ||||
|     } | ||||
| } | ||||
|  | ||||
| struct BindingClient<T> { | ||||
|     rx: relay::Receiver<Pooled<TokioClient>>, | ||||
| struct BindingClient<T, B> { | ||||
|     rx: relay::Receiver<Pooled<TokioClient<B>>>, | ||||
|     io: Option<T>, | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> Future for BindingClient<T> { | ||||
|     type Item = http::Conn<T, http::ClientTransaction, Pooled<TokioClient>>; | ||||
| impl<T, B> Future for BindingClient<T, B> | ||||
| where T: Io + 'static, | ||||
|       B: Stream<Error=::Error>, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     type Item = http::Conn<T, B::Item, http::ClientTransaction, Pooled<TokioClient<B>>>; | ||||
|     type Error = io::Error; | ||||
|  | ||||
|     fn poll(&mut self) -> Poll<Self::Item, Self::Error> { | ||||
| @@ -228,8 +256,8 @@ impl<T: Io + 'static> Future for BindingClient<T> { | ||||
| } | ||||
|  | ||||
| /// Configuration for a Client | ||||
| #[derive(Debug, Clone)] | ||||
| pub struct Config<C> { | ||||
| pub struct Config<C, B> { | ||||
|     _body_type: PhantomData<B>, | ||||
|     //connect_timeout: Duration, | ||||
|     connector: C, | ||||
|     keep_alive: bool, | ||||
| @@ -242,9 +270,10 @@ pub struct Config<C> { | ||||
| #[derive(Debug, Clone, Copy)] | ||||
| pub struct UseDefaultConnector(()); | ||||
|  | ||||
| impl Config<UseDefaultConnector> { | ||||
|     fn default() -> Config<UseDefaultConnector> { | ||||
| impl Default for Config<UseDefaultConnector, http::Body> { | ||||
|     fn default() -> Config<UseDefaultConnector, http::Body> { | ||||
|         Config { | ||||
|             _body_type: PhantomData::<http::Body>, | ||||
|             //connect_timeout: Duration::from_secs(10), | ||||
|             connector: UseDefaultConnector(()), | ||||
|             keep_alive: true, | ||||
| @@ -254,11 +283,33 @@ impl Config<UseDefaultConnector> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C> Config<C> { | ||||
| impl<C, B> Config<C, B> { | ||||
|     /// Set the body stream to be used by the `Client`. | ||||
|     /// | ||||
|     /// # Example | ||||
|     /// | ||||
|     /// ```rust | ||||
|     /// # use hyper::client::Config; | ||||
|     /// let cfg = Config::default() | ||||
|     ///     .body::<hyper::Body>(); | ||||
|     /// # drop(cfg); | ||||
|     #[inline] | ||||
|     pub fn body<BB>(self) -> Config<C, BB> { | ||||
|         Config { | ||||
|             _body_type: PhantomData::<BB>, | ||||
|             //connect_timeout: self.connect_timeout, | ||||
|             connector: self.connector, | ||||
|             keep_alive: self.keep_alive, | ||||
|             keep_alive_timeout: self.keep_alive_timeout, | ||||
|             max_idle: self.max_idle, | ||||
|         } | ||||
|     } | ||||
|  | ||||
|     /// Set the `Connect` type to be used. | ||||
|     #[inline] | ||||
|     pub fn connector<CC: Connect>(self, val: CC) -> Config<CC> { | ||||
|     pub fn connector<CC: Connect>(self, val: CC) -> Config<CC, B> { | ||||
|         Config { | ||||
|             _body_type: self._body_type, | ||||
|             //connect_timeout: self.connect_timeout, | ||||
|             connector: val, | ||||
|             keep_alive: self.keep_alive, | ||||
| @@ -271,7 +322,7 @@ impl<C> Config<C> { | ||||
|     /// | ||||
|     /// Default is enabled. | ||||
|     #[inline] | ||||
|     pub fn keep_alive(mut self, val: bool) -> Config<C> { | ||||
|     pub fn keep_alive(mut self, val: bool) -> Config<C, B> { | ||||
|         self.keep_alive = val; | ||||
|         self | ||||
|     } | ||||
| @@ -280,9 +331,9 @@ impl<C> Config<C> { | ||||
|     /// | ||||
|     /// Pass `None` to disable timeout. | ||||
|     /// | ||||
|     /// Default is 2 minutes. | ||||
|     /// Default is 90 seconds. | ||||
|     #[inline] | ||||
|     pub fn keep_alive_timeout(mut self, val: Option<Duration>) -> Config<C> { | ||||
|     pub fn keep_alive_timeout(mut self, val: Option<Duration>) -> Config<C, B> { | ||||
|         self.keep_alive_timeout = val; | ||||
|         self | ||||
|     } | ||||
| @@ -292,29 +343,57 @@ impl<C> Config<C> { | ||||
|     /// | ||||
|     /// Default is 10 seconds. | ||||
|     #[inline] | ||||
|     pub fn connect_timeout(mut self, val: Duration) -> Config<C> { | ||||
|     pub fn connect_timeout(mut self, val: Duration) -> Config<C, B> { | ||||
|         self.connect_timeout = val; | ||||
|         self | ||||
|     } | ||||
|     */ | ||||
| } | ||||
|  | ||||
| impl<C: Connect> Config<C> { | ||||
| impl<C, B> Config<C, B> | ||||
| where C: Connect, | ||||
|       B: Stream<Error=::Error>, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     /// Construct the Client with this configuration. | ||||
|     #[inline] | ||||
|     pub fn build(self, handle: &Handle) -> Client<C> { | ||||
|     pub fn build(self, handle: &Handle) -> Client<C, B> { | ||||
|         Client::configured(self, handle) | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl Config<UseDefaultConnector> { | ||||
| impl<B> Config<UseDefaultConnector, B> | ||||
| where B: Stream<Error=::Error>, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     /// Construct the Client with this configuration. | ||||
|     #[inline] | ||||
|     pub fn build(self, handle: &Handle) -> Client<HttpConnector> { | ||||
|     pub fn build(self, handle: &Handle) -> Client<HttpConnector, B> { | ||||
|         self.connector(HttpConnector::new(4, handle)).build(handle) | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C, B> fmt::Debug for Config<C, B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("Config") | ||||
|             .field("keep_alive", &self.keep_alive) | ||||
|             .field("keep_alive_timeout", &self.keep_alive_timeout) | ||||
|             .field("max_idle", &self.max_idle) | ||||
|             .finish() | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<C: Clone, B> Clone for Config<C, B> { | ||||
|     fn clone(&self) -> Config<C, B> { | ||||
|         Config { | ||||
|             _body_type: PhantomData::<B>, | ||||
|             connector: self.connector.clone(), | ||||
|             keep_alive: self.keep_alive, | ||||
|             keep_alive_timeout: self.keep_alive_timeout, | ||||
|             max_idle: self.max_idle, | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[cfg(test)] | ||||
| mod tests { | ||||
|   | ||||
| @@ -10,18 +10,18 @@ use version::HttpVersion; | ||||
| use std::str::FromStr; | ||||
|  | ||||
| /// A client request to a remote server. | ||||
| pub struct Request { | ||||
| pub struct Request<B = Body> { | ||||
|     method: Method, | ||||
|     url: Url, | ||||
|     version: HttpVersion, | ||||
|     headers: Headers, | ||||
|     body: Option<Body>, | ||||
|     body: Option<B>, | ||||
| } | ||||
|  | ||||
| impl Request { | ||||
| impl<B> Request<B> { | ||||
|     /// Construct a new Request. | ||||
|     #[inline] | ||||
|     pub fn new(method: Method, url: Url) -> Request { | ||||
|     pub fn new(method: Method, url: Url) -> Request<B> { | ||||
|         Request { | ||||
|             method: method, | ||||
|             url: url, | ||||
| @@ -65,10 +65,10 @@ impl Request { | ||||
|  | ||||
|     /// Set the body of the request. | ||||
|     #[inline] | ||||
|     pub fn set_body<T: Into<Body>>(&mut self, body: T) { self.body = Some(body.into()); } | ||||
|     pub fn set_body<T: Into<B>>(&mut self, body: T) { self.body = Some(body.into()); } | ||||
| } | ||||
|  | ||||
| impl fmt::Debug for Request { | ||||
| impl<B> fmt::Debug for Request<B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("Request") | ||||
|             .field("method", &self.method) | ||||
| @@ -79,7 +79,7 @@ impl fmt::Debug for Request { | ||||
|     } | ||||
| } | ||||
|  | ||||
| pub fn split(req: Request) -> (RequestHead, Option<Body>) { | ||||
| pub fn split<B>(req: Request<B>) -> (RequestHead, Option<B>) { | ||||
|     let uri = Uri::from_str(&req.url[::url::Position::BeforePath..::url::Position::AfterQuery]).expect("url is uri"); | ||||
|     let head = RequestHead { | ||||
|         subject: ::http::RequestLine(req.method, uri), | ||||
| @@ -198,38 +198,5 @@ mod tests { | ||||
|         assert_eq!(&s[..request_line.len()], request_line); | ||||
|         assert!(s.contains("Host: example.dom")); | ||||
|     } | ||||
|  | ||||
|     #[test] | ||||
|     fn test_post_chunked_with_encoding() { | ||||
|         let url = Url::parse("http://example.dom").unwrap(); | ||||
|         let mut req = Request::with_connector( | ||||
|             Post, url, &mut MockConnector | ||||
|         ).unwrap(); | ||||
|         req.headers_mut().set(TransferEncoding(vec![Encoding::Chunked])); | ||||
|         let bytes = run_request(req); | ||||
|         let s = from_utf8(&bytes[..]).unwrap(); | ||||
|         assert!(!s.contains("Content-Length:")); | ||||
|         assert!(s.contains("Transfer-Encoding:")); | ||||
|     } | ||||
|  | ||||
|     #[test] | ||||
|     fn test_write_error_closes() { | ||||
|         let url = Url::parse("http://hyper.rs").unwrap(); | ||||
|         let req = Request::with_connector( | ||||
|             Get, url, &mut MockConnector | ||||
|         ).unwrap(); | ||||
|         let mut req = req.start().unwrap(); | ||||
|  | ||||
|         req.message.downcast_mut::<Http11Message>().unwrap() | ||||
|             .get_mut().downcast_mut::<MockStream>().unwrap() | ||||
|             .error_on_write = true; | ||||
|  | ||||
|         req.write(b"foo").unwrap(); | ||||
|         assert!(req.flush().is_err()); | ||||
|  | ||||
|         assert!(req.message.downcast_ref::<Http11Message>().unwrap() | ||||
|             .get_ref().downcast_ref::<MockStream>().unwrap() | ||||
|             .is_closed); | ||||
|     } | ||||
|     */ | ||||
| } | ||||
|   | ||||
| @@ -1,5 +1,4 @@ | ||||
| use std::convert::From; | ||||
| use std::sync::Arc; | ||||
|  | ||||
| use tokio_proto; | ||||
| use http::Chunk; | ||||
| @@ -65,12 +64,6 @@ impl From<Vec<u8>> for Body { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl From<Arc<Vec<u8>>> for Body { | ||||
|     fn from (vec: Arc<Vec<u8>>) -> Body { | ||||
|         Body(TokioBody::from(Chunk::from(vec))) | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl From<&'static [u8]> for Body { | ||||
|     fn from (slice: &'static [u8]) -> Body { | ||||
|         Body(TokioBody::from(Chunk::from(slice))) | ||||
|   | ||||
| @@ -1,5 +1,4 @@ | ||||
| use std::fmt; | ||||
| use std::sync::Arc; | ||||
|  | ||||
| use http::buf::MemSlice; | ||||
|  | ||||
| @@ -8,7 +7,6 @@ pub struct Chunk(Inner); | ||||
|  | ||||
| enum Inner { | ||||
|     Owned(Vec<u8>), | ||||
|     Referenced(Arc<Vec<u8>>), | ||||
|     Mem(MemSlice), | ||||
|     Static(&'static [u8]), | ||||
| } | ||||
| @@ -20,13 +18,6 @@ impl From<Vec<u8>> for Chunk { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl From<Arc<Vec<u8>>> for Chunk { | ||||
|     #[inline] | ||||
|     fn from(v: Arc<Vec<u8>>) -> Chunk { | ||||
|         Chunk(Inner::Referenced(v)) | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl From<&'static [u8]> for Chunk { | ||||
|     #[inline] | ||||
|     fn from(slice: &'static [u8]) -> Chunk { | ||||
| @@ -68,7 +59,6 @@ impl AsRef<[u8]> for Chunk { | ||||
|     fn as_ref(&self) -> &[u8] { | ||||
|         match self.0 { | ||||
|             Inner::Owned(ref vec) => vec, | ||||
|             Inner::Referenced(ref vec) => vec, | ||||
|             Inner::Mem(ref slice) => slice.as_ref(), | ||||
|             Inner::Static(slice) => slice, | ||||
|         } | ||||
|   | ||||
							
								
								
									
										167
									
								
								src/http/conn.rs
									
									
									
									
									
								
							
							
						
						
									
										167
									
								
								src/http/conn.rs
									
									
									
									
									
								
							| @@ -8,7 +8,7 @@ use tokio::io::Io; | ||||
| use tokio_proto::streaming::pipeline::{Frame, Transport}; | ||||
|  | ||||
| use header::{ContentLength, TransferEncoding}; | ||||
| use http::{self, Http1Transaction}; | ||||
| use http::{self, Http1Transaction, DebugTruncate}; | ||||
| use http::io::{Cursor, Buffered}; | ||||
| use http::h1::{Encoder, Decoder}; | ||||
| use version::HttpVersion; | ||||
| @@ -21,14 +21,19 @@ use version::HttpVersion; | ||||
| /// The connection will determine when a message begins and ends as well as | ||||
| /// determine if this  connection can be kept alive after the message, | ||||
| /// or if it is complete. | ||||
| pub struct Conn<I, T, K = KA> { | ||||
| pub struct Conn<I, B, T, K = KA> { | ||||
|     io: Buffered<I>, | ||||
|     state: State<K>, | ||||
|     state: State<B, K>, | ||||
|     _marker: PhantomData<T> | ||||
| } | ||||
|  | ||||
| impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|     pub fn new(io: I, keep_alive: K) -> Conn<I, T, K> { | ||||
| impl<I, B, T, K> Conn<I, B, T, K> | ||||
| where I: Io, | ||||
|       B: AsRef<[u8]>, | ||||
|       T: Http1Transaction, | ||||
|       K: KeepAlive | ||||
| { | ||||
|     pub fn new(io: I, keep_alive: K) -> Conn<I, B, T, K> { | ||||
|         Conn { | ||||
|             io: Buffered::new(io), | ||||
|             state: State { | ||||
| @@ -164,7 +169,10 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|     fn can_write_body(&self) -> bool { | ||||
|         match self.state.writing { | ||||
|             Writing::Body(..) => true, | ||||
|             _ => false | ||||
|             Writing::Init | | ||||
|             Writing::Ending(..) | | ||||
|             Writing::KeepAlive | | ||||
|             Writing::Closed => false, | ||||
|         } | ||||
|     } | ||||
|  | ||||
| @@ -184,7 +192,8 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|         self.state.keep_alive &= wants_keep_alive; | ||||
|         let mut buf = Vec::new(); | ||||
|         let encoder = T::encode(&mut head, &mut buf); | ||||
|         self.io.buffer(buf); | ||||
|         //TODO: handle when there isn't enough room to buffer the head | ||||
|         assert!(self.io.buffer(buf) > 0); | ||||
|         self.state.writing = if body { | ||||
|             Writing::Body(encoder, None) | ||||
|         } else { | ||||
| @@ -194,7 +203,7 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|         Ok(AsyncSink::Ready) | ||||
|     } | ||||
|  | ||||
|     fn write_body(&mut self, chunk: Option<http::Chunk>) -> StartSend<Option<http::Chunk>, io::Error> { | ||||
|     fn write_body(&mut self, chunk: Option<B>) -> StartSend<Option<B>, io::Error> { | ||||
|         debug_assert!(self.can_write_body()); | ||||
|  | ||||
|         let state = match self.state.writing { | ||||
| @@ -202,33 +211,21 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|                 if queued.is_some() { | ||||
|                     return Ok(AsyncSink::NotReady(chunk)); | ||||
|                 } | ||||
|                 let mut is_done = true; | ||||
|                 let mut wbuf = Cursor::new(match chunk { | ||||
|                     Some(chunk) => { | ||||
|                         is_done = false; | ||||
|                         chunk | ||||
|                     } | ||||
|                     None => { | ||||
|                         // Encode a zero length chunk | ||||
|                         // the http1 encoder does the right thing | ||||
|                         // encoding either the final chunk or ignoring the input | ||||
|                         http::Chunk::from(Vec::new()) | ||||
|                     } | ||||
|                 }); | ||||
|  | ||||
|                 match encoder.encode(&mut self.io, wbuf.buf()) { | ||||
|                 if let Some(chunk) = chunk { | ||||
|                     let mut cursor = Cursor::new(chunk); | ||||
|                     match encoder.encode(&mut self.io, cursor.buf()) { | ||||
|                         Ok(n) => { | ||||
|                         wbuf.consume(n); | ||||
|                             cursor.consume(n); | ||||
|  | ||||
|                         if !wbuf.is_written() { | ||||
|                             if !cursor.is_written() { | ||||
|                                 trace!("Conn::start_send frame not written, queued"); | ||||
|                             *queued = Some(wbuf); | ||||
|                                 *queued = Some(cursor); | ||||
|                             } | ||||
|                         }, | ||||
|                         Err(e) => match e.kind() { | ||||
|                             io::ErrorKind::WouldBlock => { | ||||
|                                 trace!("Conn::start_send frame not written, queued"); | ||||
|                             *queued = Some(wbuf); | ||||
|                                 *queued = Some(cursor); | ||||
|                             }, | ||||
|                             _ => return Err(e) | ||||
|                         } | ||||
| @@ -236,13 +233,19 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|  | ||||
|                     if encoder.is_eof() { | ||||
|                         Writing::KeepAlive | ||||
|                 } else if is_done { | ||||
|                     Writing::Closed | ||||
|                     } else { | ||||
|                         return Ok(AsyncSink::Ready); | ||||
|                     } | ||||
|                 } else { | ||||
|                     // end of stream, that means we should try to eof | ||||
|                     match encoder.eof() { | ||||
|                         Ok(Some(end)) => Writing::Ending(Cursor::new(end)), | ||||
|                         Ok(None) => Writing::KeepAlive, | ||||
|                         Err(_not_eof) => Writing::Closed, | ||||
|                     } | ||||
|                 } | ||||
|             }, | ||||
|             Writing::Init | Writing::KeepAlive | Writing::Closed => unreachable!(), | ||||
|             _ => unreachable!(), | ||||
|         }; | ||||
|         self.state.writing = state; | ||||
|         Ok(AsyncSink::Ready) | ||||
| @@ -250,7 +253,7 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|  | ||||
|     fn write_queued(&mut self) -> Poll<(), io::Error> { | ||||
|         trace!("Conn::write_queued()"); | ||||
|         match self.state.writing { | ||||
|         let state = match self.state.writing { | ||||
|             Writing::Body(ref mut encoder, ref mut queued) => { | ||||
|                 let complete = if let Some(chunk) = queued.as_mut() { | ||||
|                     let n = try_nb!(encoder.encode(&mut self.io, chunk.buf())); | ||||
| @@ -260,15 +263,26 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|                     true | ||||
|                 }; | ||||
|                 trace!("Conn::write_queued complete = {}", complete); | ||||
|                 if complete { | ||||
|                 return if complete { | ||||
|                     *queued = None; | ||||
|                     Ok(Async::Ready(())) | ||||
|                 } else { | ||||
|                     Ok(Async::NotReady) | ||||
|                 }; | ||||
|             }, | ||||
|             Writing::Ending(ref mut ending) => { | ||||
|                 let n = self.io.buffer(ending.buf()); | ||||
|                 ending.consume(n); | ||||
|                 if ending.is_written() { | ||||
|                     Writing::KeepAlive | ||||
|                 } else { | ||||
|                     return Ok(Async::NotReady); | ||||
|                 } | ||||
|             }, | ||||
|             _ => Ok(Async::Ready(())), | ||||
|         } | ||||
|             _ => return Ok(Async::Ready(())), | ||||
|         }; | ||||
|         self.state.writing = state; | ||||
|         Ok(Async::Ready(())) | ||||
|     } | ||||
|  | ||||
|     fn flush(&mut self) -> Poll<(), io::Error> { | ||||
| @@ -284,8 +298,9 @@ impl<I: Io, T: Http1Transaction, K: KeepAlive> Conn<I, T, K> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<I, T, K> Stream for Conn<I, T, K> | ||||
| impl<I, B, T, K> Stream for Conn<I, B, T, K> | ||||
| where I: Io, | ||||
|       B: AsRef<[u8]>, | ||||
|       T: Http1Transaction, | ||||
|       K: KeepAlive, | ||||
|       T::Outgoing: fmt::Debug { | ||||
| @@ -316,12 +331,13 @@ where I: Io, | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<I, T, K> Sink for Conn<I, T, K> | ||||
| impl<I, B, T, K> Sink for Conn<I, B, T, K> | ||||
| where I: Io, | ||||
|       B: AsRef<[u8]>, | ||||
|       T: Http1Transaction, | ||||
|       K: KeepAlive, | ||||
|       T::Outgoing: fmt::Debug { | ||||
|     type SinkItem = Frame<http::MessageHead<T::Outgoing>, http::Chunk, ::Error>; | ||||
|     type SinkItem = Frame<http::MessageHead<T::Outgoing>, B, ::Error>; | ||||
|     type SinkError = io::Error; | ||||
|  | ||||
|     fn start_send(&mut self, frame: Self::SinkItem) -> StartSend<Self::SinkItem, Self::SinkError> { | ||||
| @@ -370,7 +386,7 @@ where I: Io, | ||||
|             }, | ||||
|         }; | ||||
|  | ||||
|         error!("writing illegal frame; state={:?}, frame={:?}", self.state.writing, frame); | ||||
|         error!("writing illegal frame; state={:?}, frame={:?}", self.state.writing, DebugFrame(&frame)); | ||||
|         Err(io::Error::new(io::ErrorKind::InvalidInput, "illegal frame")) | ||||
|  | ||||
|     } | ||||
| @@ -383,13 +399,14 @@ where I: Io, | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<I, T, K> Transport for Conn<I, T, K> | ||||
| impl<I, B, T, K> Transport for Conn<I, B, T, K> | ||||
| where I: Io + 'static, | ||||
|       B: AsRef<[u8]> + 'static, | ||||
|       T: Http1Transaction + 'static, | ||||
|       K: KeepAlive + 'static, | ||||
|       T::Outgoing: fmt::Debug {} | ||||
|  | ||||
| impl<I, T, K: fmt::Debug> fmt::Debug for Conn<I, T, K> { | ||||
| impl<I, B: AsRef<[u8]>, T, K: fmt::Debug> fmt::Debug for Conn<I, B, T, K> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("Conn") | ||||
|             .field("state", &self.state) | ||||
| @@ -398,10 +415,9 @@ impl<I, T, K: fmt::Debug> fmt::Debug for Conn<I, T, K> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[derive(Debug)] | ||||
| struct State<K> { | ||||
| struct State<B, K> { | ||||
|     reading: Reading, | ||||
|     writing: Writing, | ||||
|     writing: Writing<B>, | ||||
|     keep_alive: K, | ||||
| } | ||||
|  | ||||
| @@ -413,14 +429,41 @@ enum Reading { | ||||
|     Closed, | ||||
| } | ||||
|  | ||||
| #[derive(Debug)] | ||||
| enum Writing { | ||||
| enum Writing<B> { | ||||
|     Init, | ||||
|     Body(Encoder, Option<Cursor<http::Chunk>>), | ||||
|     Body(Encoder, Option<Cursor<B>>), | ||||
|     Ending(Cursor<&'static [u8]>), | ||||
|     KeepAlive, | ||||
|     Closed, | ||||
| } | ||||
|  | ||||
| impl<B: AsRef<[u8]>, K: fmt::Debug> fmt::Debug for State<B, K> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("State") | ||||
|             .field("reading", &self.reading) | ||||
|             .field("writing", &self.writing) | ||||
|             .field("keep_alive", &self.keep_alive) | ||||
|             .finish() | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<B: AsRef<[u8]>> fmt::Debug for Writing<B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         match *self { | ||||
|             Writing::Init => f.write_str("Init"), | ||||
|             Writing::Body(ref enc, ref queued) => f.debug_tuple("Body") | ||||
|                 .field(enc) | ||||
|                 .field(queued) | ||||
|                 .finish(), | ||||
|             Writing::Ending(ref ending) => f.debug_tuple("Ending") | ||||
|                 .field(ending) | ||||
|                 .finish(), | ||||
|             Writing::KeepAlive => f.write_str("KeepAlive"), | ||||
|             Writing::Closed => f.write_str("Closed"), | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl ::std::ops::BitAndAssign<bool> for KA { | ||||
|     fn bitand_assign(&mut self, enabled: bool) { | ||||
|         if !enabled { | ||||
| @@ -467,7 +510,7 @@ impl KeepAlive for KA { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<K: KeepAlive> State<K> { | ||||
| impl<B, K: KeepAlive> State<B, K> { | ||||
|     fn close(&mut self) { | ||||
|         trace!("State::close()"); | ||||
|         self.reading = Reading::Closed; | ||||
| @@ -530,9 +573,9 @@ impl<K: KeepAlive> State<K> { | ||||
|  | ||||
| // The DebugFrame and DebugChunk are simple Debug implementations that allow | ||||
| // us to dump the frame into logs, without logging the entirety of the bytes. | ||||
| struct DebugFrame<'a, T: fmt::Debug + 'a>(&'a Frame<http::MessageHead<T>, http::Chunk, ::Error>); | ||||
| struct DebugFrame<'a, T: fmt::Debug + 'a, B: AsRef<[u8]> + 'a>(&'a Frame<http::MessageHead<T>, B, ::Error>); | ||||
|  | ||||
| impl<'a, T: fmt::Debug + 'a> fmt::Debug for DebugFrame<'a, T> { | ||||
| impl<'a, T: fmt::Debug + 'a, B: AsRef<[u8]> + 'a> fmt::Debug for DebugFrame<'a, T, B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         match *self.0 { | ||||
|             Frame::Message { ref message, ref body } => { | ||||
| @@ -543,7 +586,7 @@ impl<'a, T: fmt::Debug + 'a> fmt::Debug for DebugFrame<'a, T> { | ||||
|             }, | ||||
|             Frame::Body { chunk: Some(ref chunk) } => { | ||||
|                 f.debug_struct("Body") | ||||
|                     .field("chunk", &DebugChunk(chunk)) | ||||
|                     .field("chunk", &DebugTruncate(chunk.as_ref())) | ||||
|                     .finish() | ||||
|             }, | ||||
|             Frame::Body { chunk: None } => { | ||||
| @@ -560,22 +603,12 @@ impl<'a, T: fmt::Debug + 'a> fmt::Debug for DebugFrame<'a, T> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| struct DebugChunk<'a>(&'a http::Chunk); | ||||
|  | ||||
| impl<'a> fmt::Debug for DebugChunk<'a> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_tuple("Chunk") | ||||
|             .field(&self.0.len()) | ||||
|             .finish() | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[cfg(test)] | ||||
| mod tests { | ||||
|     use futures::{Async, Stream, Sink}; | ||||
|     use tokio_proto::streaming::pipeline::Frame; | ||||
|  | ||||
|     use http::{MessageHead, ServerTransaction}; | ||||
|     use http::{self, MessageHead, ServerTransaction}; | ||||
|     use http::h1::Encoder; | ||||
|     use mock::AsyncIo; | ||||
|  | ||||
| @@ -589,7 +622,7 @@ mod tests { | ||||
|         let good_message = b"GET / HTTP/1.1\r\n\r\n".to_vec(); | ||||
|         let len = good_message.len(); | ||||
|         let io = AsyncIo::new_buf(good_message, len); | ||||
|         let mut conn = Conn::<_, ServerTransaction>::new(io, Default::default()); | ||||
|         let mut conn = Conn::<_, http::Chunk, ServerTransaction>::new(io, Default::default()); | ||||
|  | ||||
|         match conn.poll().unwrap() { | ||||
|             Async::Ready(Some(Frame::Message { message, body: false })) => { | ||||
| @@ -606,7 +639,7 @@ mod tests { | ||||
|     fn test_conn_parse_partial() { | ||||
|         let good_message = b"GET / HTTP/1.1\r\nHost: foo.bar\r\n\r\n".to_vec(); | ||||
|         let io = AsyncIo::new_buf(good_message, 10); | ||||
|         let mut conn = Conn::<_, ServerTransaction>::new(io, Default::default()); | ||||
|         let mut conn = Conn::<_, http::Chunk, ServerTransaction>::new(io, Default::default()); | ||||
|         assert!(conn.poll().unwrap().is_not_ready()); | ||||
|         conn.io.io_mut().block_in(50); | ||||
|         let async = conn.poll().unwrap(); | ||||
| @@ -620,7 +653,7 @@ mod tests { | ||||
|     #[test] | ||||
|     fn test_conn_closed_read() { | ||||
|         let io = AsyncIo::new_buf(vec![], 0); | ||||
|         let mut conn = Conn::<_, ServerTransaction>::new(io, Default::default()); | ||||
|         let mut conn = Conn::<_, http::Chunk, ServerTransaction>::new(io, Default::default()); | ||||
|         conn.state.close(); | ||||
|  | ||||
|         match conn.poll().unwrap() { | ||||
| @@ -636,7 +669,7 @@ mod tests { | ||||
|         let _ = pretty_env_logger::init(); | ||||
|         let _: Result<(), ()> = ::futures::lazy(|| { | ||||
|             let io = AsyncIo::new_buf(vec![], 0); | ||||
|             let mut conn = Conn::<_, ServerTransaction>::new(io, Default::default()); | ||||
|             let mut conn = Conn::<_, http::Chunk, ServerTransaction>::new(io, Default::default()); | ||||
|             let max = ::http::io::MAX_BUFFER_SIZE + 4096; | ||||
|             conn.state.writing = Writing::Body(Encoder::length((max * 2) as u64), None); | ||||
|  | ||||
| @@ -673,7 +706,7 @@ mod tests { | ||||
|         use ::futures::Future; | ||||
|         let _: Result<(), ()> = ::futures::lazy(|| { | ||||
|             let io = AsyncIo::new_buf(vec![], 4096); | ||||
|             let mut conn = Conn::<_, ServerTransaction>::new(io, Default::default()); | ||||
|             let mut conn = Conn::<_, http::Chunk, ServerTransaction>::new(io, Default::default()); | ||||
|             conn.state.writing = Writing::Body(Encoder::chunked(), None); | ||||
|  | ||||
|             assert!(conn.start_send(Frame::Body { chunk: Some("headers".into()) }).unwrap().is_ready()); | ||||
| @@ -684,7 +717,7 @@ mod tests { | ||||
|     #[test] | ||||
|     fn test_conn_closed_write() { | ||||
|         let io = AsyncIo::new_buf(vec![], 0); | ||||
|         let mut conn = Conn::<_, ServerTransaction>::new(io, Default::default()); | ||||
|         let mut conn = Conn::<_, http::Chunk, ServerTransaction>::new(io, Default::default()); | ||||
|         conn.state.close(); | ||||
|  | ||||
|         match conn.start_send(Frame::Body { chunk: Some(b"foobar".to_vec().into()) }) { | ||||
|   | ||||
| @@ -40,6 +40,14 @@ impl Encoder { | ||||
|         } | ||||
|     } | ||||
|  | ||||
|     pub fn eof(&self) -> Result<Option<&'static [u8]>, NotEof> { | ||||
|         match self.kind { | ||||
|             Kind::Length(0) => Ok(None), | ||||
|             Kind::Chunked(Chunked::Init) => Ok(Some(b"0\r\n\r\n")), | ||||
|             _ => Err(NotEof), | ||||
|         } | ||||
|     } | ||||
|  | ||||
|     pub fn encode<W: AtomicWrite>(&mut self, w: &mut W, msg: &[u8]) -> io::Result<usize> { | ||||
|         match self.kind { | ||||
|             Kind::Chunked(ref mut chunked) => { | ||||
| @@ -67,6 +75,9 @@ impl Encoder { | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[derive(Debug)] | ||||
| pub struct NotEof; | ||||
|  | ||||
| #[derive(Debug, PartialEq, Clone)] | ||||
| enum Chunked { | ||||
|     Init, | ||||
|   | ||||
| @@ -6,7 +6,7 @@ use std::ptr; | ||||
| use futures::Async; | ||||
| use tokio::io::Io; | ||||
|  | ||||
| use http::{Http1Transaction, h1, MessageHead, ParseResult}; | ||||
| use http::{Http1Transaction, h1, MessageHead, ParseResult, DebugTruncate}; | ||||
| use http::buf::{MemBuf, MemSlice}; | ||||
|  | ||||
| const INIT_BUFFER_SIZE: usize = 4096; | ||||
| @@ -91,8 +91,8 @@ impl<T: Io> Buffered<T> { | ||||
|         self.read_buf.reserve(INIT_BUFFER_SIZE); | ||||
|     } | ||||
|  | ||||
|     pub fn buffer<B: AsRef<[u8]>>(&mut self, buf: B) { | ||||
|         self.write_buf.buffer(buf.as_ref()); | ||||
|     pub fn buffer<B: AsRef<[u8]>>(&mut self, buf: B) -> usize { | ||||
|         self.write_buf.buffer(buf.as_ref()) | ||||
|     } | ||||
|  | ||||
|     #[cfg(test)] | ||||
| @@ -101,24 +101,6 @@ impl<T: Io> Buffered<T> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| /* | ||||
| impl<T: Read> Read for Buffered<T> { | ||||
|     fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> { | ||||
|         trace!("Buffered.read self={}, buf={}", self.read_buf.len(), buf.len()); | ||||
|         unimplemented!() | ||||
|         /* | ||||
|         let n = try!(self.read_buf.bytes().read(buf)); | ||||
|         self.read_buf.consume(n); | ||||
|         if n == 0 { | ||||
|             self.read_buf.reset(); | ||||
|             self.io.read(&mut buf[n..]) | ||||
|         } else { | ||||
|             Ok(n) | ||||
|         } | ||||
|         */ | ||||
|     } | ||||
| } | ||||
| */ | ||||
|  | ||||
| impl<T: Write> Write for Buffered<T> { | ||||
|     fn write(&mut self, data: &[u8]) -> io::Result<usize> { | ||||
| @@ -164,7 +146,7 @@ impl<T: Read> MemRead for Buffered<T> { | ||||
| } | ||||
|  | ||||
| #[derive(Clone)] | ||||
| pub struct Cursor<T: AsRef<[u8]>> { | ||||
| pub struct Cursor<T> { | ||||
|     bytes: T, | ||||
|     pos: usize, | ||||
| } | ||||
| @@ -211,16 +193,9 @@ impl<T: AsRef<[u8]>> Cursor<T> { | ||||
|  | ||||
| impl<T: AsRef<[u8]>> fmt::Debug for Cursor<T> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         let bytes = self.buf(); | ||||
|         if bytes.len() > 32 { | ||||
|             try!(f.write_str("Cursor([")); | ||||
|             for byte in &bytes[..32] { | ||||
|                 try!(write!(f, "{:?}, ", byte)); | ||||
|             } | ||||
|             write!(f, "... {}])", bytes.len()) | ||||
|         } else { | ||||
|             write!(f, "Cursor({:?})", &bytes) | ||||
|         } | ||||
|         f.debug_tuple("Cursor") | ||||
|             .field(&DebugTruncate(self.buf())) | ||||
|             .finish() | ||||
|     } | ||||
| } | ||||
|  | ||||
|   | ||||
| @@ -133,6 +133,23 @@ pub trait Http1Transaction { | ||||
|  | ||||
| type ParseResult<T> = ::Result<Option<(MessageHead<T>, usize)>>; | ||||
|  | ||||
| struct DebugTruncate<'a>(&'a [u8]); | ||||
|  | ||||
| impl<'a> fmt::Debug for DebugTruncate<'a> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         let bytes = self.0; | ||||
|         if bytes.len() > 32 { | ||||
|             try!(f.write_str("[")); | ||||
|             for byte in &bytes[..32] { | ||||
|                 try!(write!(f, "{:?}, ", byte)); | ||||
|             } | ||||
|             write!(f, "... {}]", bytes.len()) | ||||
|         } else { | ||||
|             fmt::Debug::fmt(bytes, f) | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[test] | ||||
| fn test_should_keep_alive() { | ||||
|     let mut headers = Headers::new(); | ||||
|   | ||||
| @@ -6,6 +6,7 @@ | ||||
| use std::cell::RefCell; | ||||
| use std::fmt; | ||||
| use std::io; | ||||
| use std::marker::PhantomData; | ||||
| use std::net::SocketAddr; | ||||
| use std::rc::{Rc, Weak}; | ||||
| use std::time::Duration; | ||||
| @@ -36,29 +37,33 @@ mod response; | ||||
| /// This structure is used to create instances of `Server` or to spawn off tasks | ||||
| /// which handle a connection to an HTTP server. Each instance of `Http` can be | ||||
| /// configured with various protocol-level options such as keepalive. | ||||
| #[derive(Debug, Clone)] | ||||
| pub struct Http { | ||||
| pub struct Http<B> { | ||||
|     keep_alive: bool, | ||||
|     _marker: PhantomData<B>, | ||||
| } | ||||
|  | ||||
| /// An instance of a server created through `Http::bind`. | ||||
| /// | ||||
| /// This server is intended as a convenience for creating a TCP listener on an | ||||
| /// address and then serving TCP connections accepted with the service provided. | ||||
| pub struct Server<S> { | ||||
|     protocol: Http, | ||||
| pub struct Server<S, B> | ||||
| where B: Stream<Error=::Error>, | ||||
|       B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     protocol: Http<B::Item>, | ||||
|     new_service: S, | ||||
|     core: Core, | ||||
|     listener: TcpListener, | ||||
|     shutdown_timeout: Duration, | ||||
| } | ||||
|  | ||||
| impl Http { | ||||
| impl<B: AsRef<[u8]> + 'static> Http<B> { | ||||
|     /// Creates a new instance of the HTTP protocol, ready to spawn a server or | ||||
|     /// start accepting connections. | ||||
|     pub fn new() -> Http { | ||||
|     pub fn new() -> Http<B> { | ||||
|         Http { | ||||
|             keep_alive: true, | ||||
|             _marker: PhantomData, | ||||
|         } | ||||
|     } | ||||
|  | ||||
| @@ -80,9 +85,10 @@ impl Http { | ||||
|     /// | ||||
|     /// The returned `Server` contains one method, `run`, which is used to | ||||
|     /// actually run the server. | ||||
|     pub fn bind<S>(&self, addr: &SocketAddr, new_service: S) -> ::Result<Server<S>> | ||||
|         where S: NewService<Request = Request, Response = Response, Error = ::Error> + | ||||
|     pub fn bind<S, Bd>(&self, addr: &SocketAddr, new_service: S) -> ::Result<Server<S, Bd>> | ||||
|         where S: NewService<Request = Request, Response = Response<Bd>, Error = ::Error> + | ||||
|                     Send + Sync + 'static, | ||||
|               Bd: Stream<Item=B, Error=::Error>, | ||||
|     { | ||||
|         let core = try!(Core::new()); | ||||
|         let handle = core.handle(); | ||||
| @@ -111,12 +117,13 @@ impl Http { | ||||
|     /// used through the `serve` helper method above. This can be useful, | ||||
|     /// however, when writing mocks or accepting sockets from a non-TCP | ||||
|     /// location. | ||||
|     pub fn bind_connection<S, I>(&self, | ||||
|     pub fn bind_connection<S, I, Bd>(&self, | ||||
|                                  handle: &Handle, | ||||
|                                  io: I, | ||||
|                                  remote_addr: SocketAddr, | ||||
|                                  service: S) | ||||
|         where S: Service<Request = Request, Response = Response, Error = ::Error> + 'static, | ||||
|         where S: Service<Request = Request, Response = Response<Bd>, Error = ::Error> + 'static, | ||||
|               Bd: Stream<Item=B, Error=::Error> + 'static, | ||||
|               I: Io + 'static, | ||||
|     { | ||||
|         self.bind_server(handle, io, HttpService { | ||||
| @@ -126,29 +133,48 @@ impl Http { | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct ProtoRequest(http::RequestHead); | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct ProtoResponse(ResponseHead); | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct ProtoTransport<T>(http::Conn<T, http::ServerTransaction>); | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct ProtoBindTransport<T> { | ||||
|     inner: future::FutureResult<http::Conn<T, http::ServerTransaction>, io::Error>, | ||||
| impl<B> Clone for Http<B> { | ||||
|     fn clone(&self) -> Http<B> { | ||||
|         Http { | ||||
|             ..*self | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> ServerProto<T> for Http { | ||||
|     type Request = ProtoRequest; | ||||
| impl<B> fmt::Debug for Http<B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("Http") | ||||
|             .field("keep_alive", &self.keep_alive) | ||||
|             .finish() | ||||
|     } | ||||
| } | ||||
|  | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct __ProtoRequest(http::RequestHead); | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct __ProtoResponse(ResponseHead); | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct __ProtoTransport<T, B>(http::Conn<T, B, http::ServerTransaction>); | ||||
| #[doc(hidden)] | ||||
| #[allow(missing_debug_implementations)] | ||||
| pub struct __ProtoBindTransport<T, B> { | ||||
|     inner: future::FutureResult<http::Conn<T, B, http::ServerTransaction>, io::Error>, | ||||
| } | ||||
|  | ||||
| impl<T, B> ServerProto<T> for Http<B> | ||||
| where T: Io + 'static, | ||||
|       B: AsRef<[u8]> + 'static, | ||||
| { | ||||
|     type Request = __ProtoRequest; | ||||
|     type RequestBody = http::Chunk; | ||||
|     type Response = ProtoResponse; | ||||
|     type ResponseBody = http::Chunk; | ||||
|     type Response = __ProtoResponse; | ||||
|     type ResponseBody = B; | ||||
|     type Error = ::Error; | ||||
|     type Transport = ProtoTransport<T>; | ||||
|     type BindTransport = ProtoBindTransport<T>; | ||||
|     type Transport = __ProtoTransport<T, B>; | ||||
|     type BindTransport = __ProtoBindTransport<T, B>; | ||||
|  | ||||
|     fn bind_transport(&self, io: T) -> Self::BindTransport { | ||||
|         let ka = if self.keep_alive { | ||||
| @@ -156,14 +182,17 @@ impl<T: Io + 'static> ServerProto<T> for Http { | ||||
|         } else { | ||||
|             http::KA::Disabled | ||||
|         }; | ||||
|         ProtoBindTransport { | ||||
|         __ProtoBindTransport { | ||||
|             inner: future::ok(http::Conn::new(io, ka)), | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> Sink for ProtoTransport<T> { | ||||
|     type SinkItem = Frame<ProtoResponse, http::Chunk, ::Error>; | ||||
| impl<T, B> Sink for __ProtoTransport<T, B> | ||||
| where T: Io + 'static, | ||||
|       B: AsRef<[u8]>, | ||||
| { | ||||
|     type SinkItem = Frame<__ProtoResponse, B, ::Error>; | ||||
|     type SinkError = io::Error; | ||||
|  | ||||
|     fn start_send(&mut self, item: Self::SinkItem) | ||||
| @@ -179,7 +208,7 @@ impl<T: Io + 'static> Sink for ProtoTransport<T> { | ||||
|             AsyncSink::Ready => Ok(AsyncSink::Ready), | ||||
|             AsyncSink::NotReady(Frame::Message { message, body }) => { | ||||
|                 Ok(AsyncSink::NotReady(Frame::Message { | ||||
|                     message: ProtoResponse(message), | ||||
|                     message: __ProtoResponse(message), | ||||
|                     body: body, | ||||
|                 })) | ||||
|             } | ||||
| @@ -197,8 +226,8 @@ impl<T: Io + 'static> Sink for ProtoTransport<T> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> Stream for ProtoTransport<T> { | ||||
|     type Item = Frame<ProtoRequest, http::Chunk, ::Error>; | ||||
| impl<T: Io + 'static, B: AsRef<[u8]>> Stream for __ProtoTransport<T, B> { | ||||
|     type Item = Frame<__ProtoRequest, http::Chunk, ::Error>; | ||||
|     type Error = io::Error; | ||||
|  | ||||
|     fn poll(&mut self) -> Poll<Option<Self::Item>, io::Error> { | ||||
| @@ -208,7 +237,7 @@ impl<T: Io + 'static> Stream for ProtoTransport<T> { | ||||
|         }; | ||||
|         let item = match item { | ||||
|             Frame::Message { message, body } => { | ||||
|                 Frame::Message { message: ProtoRequest(message), body: body } | ||||
|                 Frame::Message { message: __ProtoRequest(message), body: body } | ||||
|             } | ||||
|             Frame::Body { chunk } => Frame::Body { chunk: chunk }, | ||||
|             Frame::Error { error } => Frame::Error { error: error }, | ||||
| @@ -217,7 +246,7 @@ impl<T: Io + 'static> Stream for ProtoTransport<T> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> Transport for ProtoTransport<T> { | ||||
| impl<T: Io + 'static, B: AsRef<[u8]> + 'static> Transport for __ProtoTransport<T, B> { | ||||
|     fn tick(&mut self) { | ||||
|         self.0.tick() | ||||
|     } | ||||
| @@ -227,12 +256,12 @@ impl<T: Io + 'static> Transport for ProtoTransport<T> { | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<T: Io + 'static> Future for ProtoBindTransport<T> { | ||||
|     type Item = ProtoTransport<T>; | ||||
| impl<T: Io + 'static, B> Future for __ProtoBindTransport<T, B> { | ||||
|     type Item = __ProtoTransport<T, B>; | ||||
|     type Error = io::Error; | ||||
|  | ||||
|     fn poll(&mut self) -> Poll<ProtoTransport<T>, io::Error> { | ||||
|         self.inner.poll().map(|a| a.map(ProtoTransport)) | ||||
|     fn poll(&mut self) -> Poll<__ProtoTransport<T, B>, io::Error> { | ||||
|         self.inner.poll().map(|a| a.map(__ProtoTransport)) | ||||
|     } | ||||
| } | ||||
|  | ||||
| @@ -241,24 +270,26 @@ struct HttpService<T> { | ||||
|     remote_addr: SocketAddr, | ||||
| } | ||||
|  | ||||
| fn map_response_to_message(res: Response) -> Message<ProtoResponse, http::TokioBody> { | ||||
| fn map_response_to_message<B>(res: Response<B>) -> Message<__ProtoResponse, B> { | ||||
|     let (head, body) = response::split(res); | ||||
|     if let Some(body) = body { | ||||
|         Message::WithBody(ProtoResponse(head), body.into()) | ||||
|         Message::WithBody(__ProtoResponse(head), body.into()) | ||||
|     } else { | ||||
|         Message::WithoutBody(ProtoResponse(head)) | ||||
|         Message::WithoutBody(__ProtoResponse(head)) | ||||
|     } | ||||
| } | ||||
|  | ||||
| type ResponseHead = http::MessageHead<::StatusCode>; | ||||
|  | ||||
| impl<T> Service for HttpService<T> | ||||
|     where T: Service<Request=Request, Response=Response, Error=::Error>, | ||||
| impl<T, B> Service for HttpService<T> | ||||
|     where T: Service<Request=Request, Response=Response<B>, Error=::Error>, | ||||
|           B: Stream<Error=::Error>, | ||||
|           B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     type Request = Message<ProtoRequest, http::TokioBody>; | ||||
|     type Response = Message<ProtoResponse, http::TokioBody>; | ||||
|     type Request = Message<__ProtoRequest, http::TokioBody>; | ||||
|     type Response = Message<__ProtoResponse, B>; | ||||
|     type Error = ::Error; | ||||
|     type Future = Map<T::Future, fn(Response) -> Message<ProtoResponse, http::TokioBody>>; | ||||
|     type Future = Map<T::Future, fn(Response<B>) -> Message<__ProtoResponse, B>>; | ||||
|  | ||||
|     fn call(&self, message: Self::Request) -> Self::Future { | ||||
|         let (head, body) = match message { | ||||
| @@ -270,9 +301,11 @@ impl<T> Service for HttpService<T> | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<S> Server<S> | ||||
|     where S: NewService<Request = Request, Response = Response, Error = ::Error> | ||||
| impl<S, B> Server<S, B> | ||||
|     where S: NewService<Request = Request, Response = Response<B>, Error = ::Error> | ||||
|                 + Send + Sync + 'static, | ||||
|           B: Stream<Error=::Error> + 'static, | ||||
|           B::Item: AsRef<[u8]>, | ||||
| { | ||||
|     /// Returns the local address that this server is bound to. | ||||
|     pub fn local_addr(&self) -> ::Result<SocketAddr> { | ||||
| @@ -370,7 +403,9 @@ impl<S> Server<S> | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<S: fmt::Debug> fmt::Debug for Server<S> { | ||||
| impl<S: fmt::Debug, B: Stream<Error=::Error>> fmt::Debug for Server<S, B> | ||||
| where B::Item: AsRef<[u8]> | ||||
| { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("Server") | ||||
|          .field("core", &"...") | ||||
|   | ||||
| @@ -8,16 +8,15 @@ use version; | ||||
| /// The Response sent to a client after receiving a Request in a Service. | ||||
| /// | ||||
| /// The default `StatusCode` for a `Response` is `200 OK`. | ||||
| #[derive(Default)] | ||||
| pub struct Response { | ||||
| pub struct Response<B = Body> { | ||||
|     head: http::MessageHead<StatusCode>, | ||||
|     body: Option<Body>, | ||||
|     body: Option<B>, | ||||
| } | ||||
|  | ||||
| impl Response { | ||||
| impl<B> Response<B> { | ||||
|     /// Create a new Response. | ||||
|     #[inline] | ||||
|     pub fn new() -> Response { | ||||
|     pub fn new() -> Response<B> { | ||||
|         Response::default() | ||||
|     } | ||||
|  | ||||
| @@ -47,7 +46,7 @@ impl Response { | ||||
|  | ||||
|     /// Set the body. | ||||
|     #[inline] | ||||
|     pub fn set_body<T: Into<Body>>(&mut self, body: T) { | ||||
|     pub fn set_body<T: Into<B>>(&mut self, body: T) { | ||||
|         self.body = Some(body.into()); | ||||
|     } | ||||
|  | ||||
| @@ -82,13 +81,22 @@ impl Response { | ||||
|     /// | ||||
|     /// Useful for the "builder-style" pattern. | ||||
|     #[inline] | ||||
|     pub fn with_body<T: Into<Body>>(mut self, body: T) -> Self { | ||||
|     pub fn with_body<T: Into<B>>(mut self, body: T) -> Self { | ||||
|         self.set_body(body); | ||||
|         self | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl fmt::Debug for Response { | ||||
| impl<B> Default for Response<B> { | ||||
|     fn default() -> Response<B> { | ||||
|         Response { | ||||
|             head: Default::default(), | ||||
|             body: None, | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
| impl<B> fmt::Debug for Response<B> { | ||||
|     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | ||||
|         f.debug_struct("Response") | ||||
|             .field("status", &self.head.subject) | ||||
| @@ -98,6 +106,6 @@ impl fmt::Debug for Response { | ||||
|     } | ||||
| } | ||||
|  | ||||
| pub fn split(res: Response) -> (http::MessageHead<StatusCode>, Option<Body>) { | ||||
| pub fn split<B>(res: Response<B>) -> (http::MessageHead<StatusCode>, Option<B>) { | ||||
|     (res.head, res.body) | ||||
| } | ||||
|   | ||||
		Reference in New Issue
	
	Block a user