eof, still not working

try-to-manage-hyper-incomplete-message
Alessandro Caprarelli 2021-10-12 18:08:32 +02:00
parent 4be18c476a
commit 6a3c266645
6 changed files with 176 additions and 1 deletions

View File

@ -10,13 +10,14 @@ keywords = ["reqwest", "http", "middleware", "retry"]
categories = ["web-programming::http-client"] categories = ["web-programming::http-client"]
[dependencies] [dependencies]
reqwest-middleware = { version = "0.1.2", path = "../reqwest-middleware" } reqwest-middleware = { version = "0.1.2" } # TODO remove this change: it was just to make rust-analyzer happy locally
anyhow = "1" anyhow = "1"
async-trait = "0.1.51" async-trait = "0.1.51"
chrono = "0.4" chrono = "0.4"
futures = "0.3" futures = "0.3"
http = "0.2" http = "0.2"
hyper = "0.14"
retry-policies = "0.1" retry-policies = "0.1"
reqwest = { version = "0.11", default-features = false } reqwest = { version = "0.11", default-features = false }
tokio = { version = "1.6", features = ["time"] } tokio = { version = "1.6", features = ["time"] }

View File

@ -1,4 +1,5 @@
use http::StatusCode; use http::StatusCode;
use hyper;
use reqwest_middleware::Error; use reqwest_middleware::Error;
/// Classification of an error/status returned by request. /// Classification of an error/status returned by request.
@ -49,6 +50,14 @@ impl Retryable {
|| error.is_redirect() || error.is_redirect()
{ {
Some(Retryable::Fatal) Some(Retryable::Fatal)
} else if let Some(hyper_error) = get_source_error_type::<hyper::Error>(&error)
{
if hyper_error.is_incomplete_message() {
Some(Retryable::Fatal)
} else {
Some(Retryable::Transient)
}
// TODO: map all the hyper_error types
} else { } else {
// We omit checking if error.is_status() since we check that already. // We omit checking if error.is_status() since we check that already.
// However, if Response::error_for_status is used the status will still // However, if Response::error_for_status is used the status will still
@ -66,3 +75,18 @@ impl From<&reqwest::Error> for Retryable {
Retryable::Transient Retryable::Transient
} }
} }
fn get_source_error_type<T: std::error::Error + 'static>(
err: &dyn std::error::Error,
) -> Option<&T> {
let mut source = err.source();
while let Some(err) = source {
if let Some(hyper_err) = err.downcast_ref::<T>() {
return Some(hyper_err);
}
source = err.source();
}
None
}

View File

@ -0,0 +1,3 @@
mod simple_server;
pub use simple_server::SimpleServer;

View File

@ -0,0 +1,113 @@
use std::error::Error;
use std::io::{Read, Write};
use std::net::TcpStream;
use std::path::Path;
use std::{
error::Error,
fmt,
net::{TcpListener, TcpStream},
};
use std::{fmt, fs};
pub struct SimpleServer {
listener: TcpListener,
port: u16,
host: String,
raw_http_response: String,
}
/// Request-Line = Method SP Request-URI SP HTTP-Version CRLF
struct Request<'a> {
method: &'a str,
uri: &'a str,
http_version: &'a str,
}
impl<'a> fmt::Display for Request<'a> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "{} {} {}\r\n", self.method, self.uri, self.http_version)
}
}
/// This is a simple server that
impl SimpleServer {
pub fn new(
host: &str,
port: Option<u16>,
raw_http_response: &str,
) -> Result<Self, anyhow::Error> {
let listener = TcpListener::bind(format!("{}:{}", host, port.ok_or(0).unwrap()))?;
let port = listener.local_addr()?.port();
Ok(Self {
listener,
port,
host: host.to_string(),
raw_http_response: raw_http_response.to_string(),
})
}
pub fn uri(&self) -> String {
format!("http://{}:{}", self.host, self.port)
}
pub fn start(&self) {
for stream in self.listener.incoming() {
match stream {
Ok(stream) => {
match self.handle_connection(stream, self.raw_http_response.clone()) {
Ok(_) => (),
Err(e) => println!("Error handling connection: {}", e),
}
}
Err(e) => println!("Connection failed: {}", e),
}
}
}
fn handle_connection(
&self,
mut stream: TcpStream,
raw_http_response: String,
) -> Result<(), Box<dyn Error>> {
// 512 bytes is enough for a toy HTTP server
let mut buffer = [0; 512];
// writes stream into buffer
stream.read(&mut buffer).unwrap();
let request = String::from_utf8_lossy(&buffer[..]);
let request_line = request.lines().next().unwrap();
match Self::parse_request_line(&request_line) {
Ok(request) => {
println!("Request: {}", &request);
let response = format!("{}", raw_http_response.clone());
stream.write(response.as_bytes()).unwrap();
stream.flush().unwrap();
}
Err(e) => print!("Bad request: {}", e),
}
Ok(())
}
fn parse_request_line(request: &str) -> Result<Request, Box<dyn Error>> {
let mut parts = request.split_whitespace();
let method = parts.next().ok_or("Method not specified")?;
let uri = parts.next().ok_or("URI not specified")?;
let http_version = parts.next().ok_or("HTTP version not specified")?;
Ok(Request {
method,
uri,
http_version,
})
}
}

View File

@ -0,0 +1,2 @@
mod helpers;
mod retry;

View File

@ -10,6 +10,8 @@ use std::sync::{
use wiremock::matchers::{method, path}; use wiremock::matchers::{method, path};
use wiremock::{Mock, MockServer, Respond, ResponseTemplate}; use wiremock::{Mock, MockServer, Respond, ResponseTemplate};
use crate::helpers::SimpleServer;
pub struct RetryResponder(Arc<AtomicU32>, u32, u16); pub struct RetryResponder(Arc<AtomicU32>, u32, u16);
impl RetryResponder { impl RetryResponder {
@ -213,3 +215,33 @@ async fn assert_retry_on_request_timeout() {
assert_eq!(resp.status(), 200); assert_eq!(resp.status(), 200);
} }
#[tokio::test]
async fn assert_retry_on_incomplete_message() {
let raw_response = "HTTP/1.1 200"; // the full working response is: "HTTP/1.1 200 OK\r\n\r\n"
let simple_server = SimpleServer::new("127.0.0.1", None, raw_response)
.expect("Error when creating a simple server");
tokio::spawn(simple_server.start());
let reqwest_client = Client::builder().build().unwrap();
let client = ClientBuilder::new(reqwest_client)
.with(RetryTransientMiddleware::new_with_policy(
ExponentialBackoff {
max_n_retries: 3,
max_retry_interval: std::time::Duration::from_millis(30),
min_retry_interval: std::time::Duration::from_millis(100),
backoff_exponent: 2,
},
))
.build();
let resp = client
.get(&format!("{}/foo", simple_server.uri()))
.timeout(std::time::Duration::from_millis(10))
.send()
.await
.expect("call failed");
assert_eq!(resp.status(), 200);
}