axum_reverse_proxy/lib.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278
//! A flexible and efficient reverse proxy implementation for Axum web applications.
//!
//! This crate provides a reverse proxy that can be easily integrated into Axum applications,
//! allowing for seamless forwarding of HTTP requests to upstream servers. It supports:
//!
//! - Path-based routing
//! - Automatic retry mechanism
//! - Header forwarding
//! - Configurable HTTP client settings
//! - Easy integration with Axum's Router
//!
//! # Example
//!
//! ```rust
//! use axum::Router;
//! use axum_reverse_proxy::ReverseProxy;
//!
//! // Create a reverse proxy that forwards requests from /api to httpbin.org
//! let proxy = ReverseProxy::new("/api", "https://httpbin.org");
//!
//! // Convert the proxy to a router and use it in your Axum application
//! let app: Router = proxy.into();
//! ```
//!
//! You can also merge the proxy with an existing router, compatible with arbitrary state:
//!
//! ```rust
//! use axum::{routing::get, Router, response::IntoResponse, extract::State};
//! use axum_reverse_proxy::ReverseProxy;
//!
//! #[derive(Clone)]
//! struct AppState { foo: usize }
//!
//! async fn root_handler(State(state): State<AppState>) -> impl IntoResponse {
//! (axum::http::StatusCode::OK, format!("Hello, World! {}", state.foo))
//! }
//!
//! let app: Router<AppState> = Router::new()
//! .route("/", get(root_handler))
//! .merge(ReverseProxy::new("/api", "https://httpbin.org"))
//! .with_state(AppState { foo: 42 });
//! ```
use axum::{body::Body, extract::State, http::Request, response::Response, Router};
use http_body_util::BodyExt;
use hyper_util::{
client::legacy::{connect::HttpConnector, Client},
rt::TokioExecutor,
};
use std::{convert::Infallible, sync::Arc};
use tracing::{error, trace};
/// A reverse proxy that forwards HTTP requests to an upstream server.
///
/// The `ReverseProxy` struct handles the forwarding of HTTP requests from a specified path
/// to a target upstream server. It manages its own HTTP client with configurable settings
/// for connection pooling, timeouts, and retries.
#[derive(Clone)]
pub struct ReverseProxy {
path: String,
target: String,
client: Client<HttpConnector, Body>,
}
impl ReverseProxy {
/// Creates a new `ReverseProxy` instance with default client settings.
///
/// # Arguments
///
/// * `path` - The base path to match incoming requests against (e.g., "/api")
/// * `target` - The upstream server URL to forward requests to (e.g., "https://api.example.com")
///
/// # Example
///
/// ```rust
/// use axum_reverse_proxy::ReverseProxy;
///
/// let proxy = ReverseProxy::new("/api", "https://api.example.com");
/// ```
pub fn new<S>(path: S, target: S) -> Self
where
S: Into<String>,
{
let mut connector = HttpConnector::new();
connector.set_nodelay(true);
connector.enforce_http(false);
connector.set_keepalive(Some(std::time::Duration::from_secs(60)));
connector.set_connect_timeout(Some(std::time::Duration::from_secs(10)));
connector.set_reuse_address(true);
let client = Client::builder(TokioExecutor::new())
.pool_idle_timeout(std::time::Duration::from_secs(60))
.pool_max_idle_per_host(32)
.retry_canceled_requests(true)
.set_host(true)
.build(connector);
Self::new_with_client(path, target, client)
}
/// Creates a new `ReverseProxy` instance with a custom HTTP client.
///
/// This method allows for more fine-grained control over the proxy behavior by accepting
/// a pre-configured HTTP client.
///
/// # Arguments
///
/// * `path` - The base path to match incoming requests against
/// * `target` - The upstream server URL to forward requests to
/// * `client` - A custom-configured HTTP client
///
/// # Example
///
/// ```rust
/// use axum_reverse_proxy::ReverseProxy;
/// use hyper_util::client::legacy::{Client, connect::HttpConnector};
/// use axum::body::Body;
///
/// let client = Client::builder(hyper_util::rt::TokioExecutor::new())
/// .build(HttpConnector::new());
///
/// let proxy = ReverseProxy::new_with_client("/api", "https://api.example.com", client);
/// ```
pub fn new_with_client<S>(path: S, target: S, client: Client<HttpConnector, Body>) -> Self
where
S: Into<String>,
{
Self {
path: path.into(),
target: target.into(),
client,
}
}
/// Handles the proxying of a single request to the upstream server.
///
/// This method:
/// 1. Collects the request body
/// 2. Forwards all headers (except 'host')
/// 3. Implements a retry mechanism with exponential backoff
/// 4. Handles response streaming
///
/// Returns a `Response` wrapped in `Result` with `Infallible` error type, ensuring
/// that this function always returns a response, even in error cases.
async fn proxy_request(&self, req: Request<Body>) -> Result<Response<Body>, Infallible> {
trace!("Proxying request method={} uri={}", req.method(), req.uri());
trace!("Original headers headers={:?}", req.headers());
// Collect the request body
let (parts, body) = req.into_parts();
let body_bytes = match body.collect().await {
Ok(collected) => collected.to_bytes(),
Err(e) => {
error!("Failed to read request body: {}", e);
return Ok(Response::builder().status(500).body(Body::empty()).unwrap());
}
};
trace!("Request body collected body_length={}", body_bytes.len());
// Build the new request with retries
let mut retries = 3;
let mut error_msg;
loop {
// Create a new request for each attempt
let mut builder = Request::builder().method(parts.method.clone()).uri(format!(
"{}{}",
self.target,
parts.uri.path_and_query().map(|x| x.as_str()).unwrap_or("")
));
// Forward headers
for (key, value) in parts.headers.iter() {
if key != "host" {
builder = builder.header(key, value);
}
}
let forward_req = builder.body(Body::from(body_bytes.clone())).unwrap();
trace!(
"Forwarding headers forwarded_headers={:?}",
forward_req.headers()
);
match self.client.request(forward_req).await {
Ok(res) => {
trace!(
"Received response status={} headers={:?} version={:?}",
res.status(),
res.headers(),
res.version()
);
// Convert the response body
let (parts, body) = res.into_parts();
let body_bytes = match body.collect().await {
Ok(collected) => collected.to_bytes(),
Err(e) => {
error!("Failed to read response body: {}", e);
return Ok(Response::builder()
.status(500)
.body(Body::empty())
.unwrap());
}
};
trace!("Response body collected body_length={}", body_bytes.len());
// Build and return the response
let mut response = Response::builder()
.status(parts.status)
.body(Body::from(body_bytes))
.unwrap();
*response.headers_mut() = parts.headers;
return Ok(response);
}
Err(e) => {
error_msg = e.to_string();
retries -= 1;
if retries == 0 {
error!("Proxy error occurred after all retries err={}", error_msg);
return Ok(Response::builder()
.status(502)
.body(Body::from(format!(
"Failed to connect to upstream server: {}",
error_msg
)))
.unwrap());
}
error!(
"Proxy error occurred, retrying ({} left) err={}",
retries, error_msg
);
tokio::time::sleep(std::time::Duration::from_millis(500)).await;
}
}
}
}
}
/// Enables conversion from a `ReverseProxy` into an Axum `Router`.
///
/// This implementation allows the reverse proxy to be easily integrated into an Axum
/// application. It handles:
///
/// - Path-based routing using the configured base path
/// - State management using `Arc` for thread-safety
/// - Fallback handling for all HTTP methods
///
/// # Example
///
/// ```rust
/// use axum::Router;
/// use axum_reverse_proxy::ReverseProxy;
///
/// let proxy = ReverseProxy::new("/api", "https://api.example.com");
/// let app: Router = proxy.into();
/// ```
impl<S> From<ReverseProxy> for Router<S>
where
S: Send + Sync + Clone + 'static,
{
fn from(proxy: ReverseProxy) -> Self {
let path = proxy.path.clone();
let proxy_router = Router::new()
.fallback(|State(proxy): State<Arc<ReverseProxy>>, req| async move {
proxy.proxy_request(req).await
})
.with_state(Arc::new(proxy));
if ["", "/"].contains(&path.as_str()) {
proxy_router
} else {
Router::new().nest(&path, proxy_router)
}
}
}