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 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608
//! Set and propagate request ids.
//!
//! # Example
//!
//! ```
//! use http::{Request, Response, header::HeaderName};
//! use tower::{Service, ServiceExt, ServiceBuilder};
//! use tower_http::request_id::{
//! SetRequestIdLayer, PropagateRequestIdLayer, MakeRequestId, RequestId,
//! };
//! use http_body_util::Full;
//! use bytes::Bytes;
//! use std::sync::{Arc, atomic::{AtomicU64, Ordering}};
//!
//! # #[tokio::main]
//! # async fn main() -> Result<(), Box<dyn std::error::Error>> {
//! # let handler = tower::service_fn(|request: Request<Full<Bytes>>| async move {
//! # Ok::<_, std::convert::Infallible>(Response::new(request.into_body()))
//! # });
//! #
//! // A `MakeRequestId` that increments an atomic counter
//! #[derive(Clone, Default)]
//! struct MyMakeRequestId {
//! counter: Arc<AtomicU64>,
//! }
//!
//! impl MakeRequestId for MyMakeRequestId {
//! fn make_request_id<B>(&mut self, request: &Request<B>) -> Option<RequestId> {
//! let request_id = self.counter
//! .fetch_add(1, Ordering::SeqCst)
//! .to_string()
//! .parse()
//! .unwrap();
//!
//! Some(RequestId::new(request_id))
//! }
//! }
//!
//! let x_request_id = HeaderName::from_static("x-request-id");
//!
//! let mut svc = ServiceBuilder::new()
//! // set `x-request-id` header on all requests
//! .layer(SetRequestIdLayer::new(
//! x_request_id.clone(),
//! MyMakeRequestId::default(),
//! ))
//! // propagate `x-request-id` headers from request to response
//! .layer(PropagateRequestIdLayer::new(x_request_id))
//! .service(handler);
//!
//! let request = Request::new(Full::default());
//! let response = svc.ready().await?.call(request).await?;
//!
//! assert_eq!(response.headers()["x-request-id"], "0");
//! #
//! # Ok(())
//! # }
//! ```
//!
//! Additional convenience methods are available on [`ServiceBuilderExt`]:
//!
//! ```
//! use tower_http::ServiceBuilderExt;
//! # use http::{Request, Response, header::HeaderName};
//! # use tower::{Service, ServiceExt, ServiceBuilder};
//! # use tower_http::request_id::{
//! # SetRequestIdLayer, PropagateRequestIdLayer, MakeRequestId, RequestId,
//! # };
//! # use bytes::Bytes;
//! # use http_body_util::Full;
//! # use std::sync::{Arc, atomic::{AtomicU64, Ordering}};
//! # #[tokio::main]
//! # async fn main() -> Result<(), Box<dyn std::error::Error>> {
//! # let handler = tower::service_fn(|request: Request<Full<Bytes>>| async move {
//! # Ok::<_, std::convert::Infallible>(Response::new(request.into_body()))
//! # });
//! # #[derive(Clone, Default)]
//! # struct MyMakeRequestId {
//! # counter: Arc<AtomicU64>,
//! # }
//! # impl MakeRequestId for MyMakeRequestId {
//! # fn make_request_id<B>(&mut self, request: &Request<B>) -> Option<RequestId> {
//! # let request_id = self.counter
//! # .fetch_add(1, Ordering::SeqCst)
//! # .to_string()
//! # .parse()
//! # .unwrap();
//! # Some(RequestId::new(request_id))
//! # }
//! # }
//!
//! let mut svc = ServiceBuilder::new()
//! .set_x_request_id(MyMakeRequestId::default())
//! .propagate_x_request_id()
//! .service(handler);
//!
//! let request = Request::new(Full::default());
//! let response = svc.ready().await?.call(request).await?;
//!
//! assert_eq!(response.headers()["x-request-id"], "0");
//! #
//! # Ok(())
//! # }
//! ```
//!
//! See [`SetRequestId`] and [`PropagateRequestId`] for more details.
//!
//! # Using `Trace`
//!
//! To have request ids show up correctly in logs produced by [`Trace`] you must apply the layers
//! in this order:
//!
//! ```
//! use tower_http::{
//! ServiceBuilderExt,
//! trace::{TraceLayer, DefaultMakeSpan, DefaultOnResponse},
//! };
//! # use http::{Request, Response, header::HeaderName};
//! # use tower::{Service, ServiceExt, ServiceBuilder};
//! # use tower_http::request_id::{
//! # SetRequestIdLayer, PropagateRequestIdLayer, MakeRequestId, RequestId,
//! # };
//! # use http_body_util::Full;
//! # use bytes::Bytes;
//! # use std::sync::{Arc, atomic::{AtomicU64, Ordering}};
//! # #[tokio::main]
//! # async fn main() -> Result<(), Box<dyn std::error::Error>> {
//! # let handler = tower::service_fn(|request: Request<Full<Bytes>>| async move {
//! # Ok::<_, std::convert::Infallible>(Response::new(request.into_body()))
//! # });
//! # #[derive(Clone, Default)]
//! # struct MyMakeRequestId {
//! # counter: Arc<AtomicU64>,
//! # }
//! # impl MakeRequestId for MyMakeRequestId {
//! # fn make_request_id<B>(&mut self, request: &Request<B>) -> Option<RequestId> {
//! # let request_id = self.counter
//! # .fetch_add(1, Ordering::SeqCst)
//! # .to_string()
//! # .parse()
//! # .unwrap();
//! # Some(RequestId::new(request_id))
//! # }
//! # }
//!
//! let svc = ServiceBuilder::new()
//! // make sure to set request ids before the request reaches `TraceLayer`
//! .set_x_request_id(MyMakeRequestId::default())
//! // log requests and responses
//! .layer(
//! TraceLayer::new_for_http()
//! .make_span_with(DefaultMakeSpan::new().include_headers(true))
//! .on_response(DefaultOnResponse::new().include_headers(true))
//! )
//! // propagate the header to the response before the response reaches `TraceLayer`
//! .propagate_x_request_id()
//! .service(handler);
//! #
//! # Ok(())
//! # }
//! ```
//!
//! # Doesn't override existing headers
//!
//! [`SetRequestId`] and [`PropagateRequestId`] wont override request ids if its already present on
//! requests or responses. Among other things, this allows other middleware to conditionally set
//! request ids and use the middleware in this module as a fallback.
//!
//! [`ServiceBuilderExt`]: crate::ServiceBuilderExt
//! [`Uuid`]: https://crates.io/crates/uuid
//! [`Trace`]: crate::trace::Trace
use http::{
header::{HeaderName, HeaderValue},
Request, Response,
};
use pin_project_lite::pin_project;
use std::task::{ready, Context, Poll};
use std::{future::Future, pin::Pin};
use tower_layer::Layer;
use tower_service::Service;
use uuid::Uuid;
pub(crate) const X_REQUEST_ID: &str = "x-request-id";
/// Trait for producing [`RequestId`]s.
///
/// Used by [`SetRequestId`].
pub trait MakeRequestId {
/// Try and produce a [`RequestId`] from the request.
fn make_request_id<B>(&mut self, request: &Request<B>) -> Option<RequestId>;
}
/// An identifier for a request.
#[derive(Debug, Clone)]
pub struct RequestId(HeaderValue);
impl RequestId {
/// Create a new `RequestId` from a [`HeaderValue`].
pub fn new(header_value: HeaderValue) -> Self {
Self(header_value)
}
/// Gets a reference to the underlying [`HeaderValue`].
pub fn header_value(&self) -> &HeaderValue {
&self.0
}
/// Consumes `self`, returning the underlying [`HeaderValue`].
pub fn into_header_value(self) -> HeaderValue {
self.0
}
}
impl From<HeaderValue> for RequestId {
fn from(value: HeaderValue) -> Self {
Self::new(value)
}
}
/// Set request id headers and extensions on requests.
///
/// This layer applies the [`SetRequestId`] middleware.
///
/// See the [module docs](self) and [`SetRequestId`] for more details.
#[derive(Debug, Clone)]
pub struct SetRequestIdLayer<M> {
header_name: HeaderName,
make_request_id: M,
}
impl<M> SetRequestIdLayer<M> {
/// Create a new `SetRequestIdLayer`.
pub fn new(header_name: HeaderName, make_request_id: M) -> Self
where
M: MakeRequestId,
{
SetRequestIdLayer {
header_name,
make_request_id,
}
}
/// Create a new `SetRequestIdLayer` that uses `x-request-id` as the header name.
pub fn x_request_id(make_request_id: M) -> Self
where
M: MakeRequestId,
{
SetRequestIdLayer::new(HeaderName::from_static(X_REQUEST_ID), make_request_id)
}
}
impl<S, M> Layer<S> for SetRequestIdLayer<M>
where
M: Clone + MakeRequestId,
{
type Service = SetRequestId<S, M>;
fn layer(&self, inner: S) -> Self::Service {
SetRequestId::new(
inner,
self.header_name.clone(),
self.make_request_id.clone(),
)
}
}
/// Set request id headers and extensions on requests.
///
/// See the [module docs](self) for an example.
///
/// If [`MakeRequestId::make_request_id`] returns `Some(_)` and the request doesn't already have a
/// header with the same name, then the header will be inserted.
///
/// Additionally [`RequestId`] will be inserted into [`Request::extensions`] so other
/// services can access it.
#[derive(Debug, Clone)]
pub struct SetRequestId<S, M> {
inner: S,
header_name: HeaderName,
make_request_id: M,
}
impl<S, M> SetRequestId<S, M> {
/// Create a new `SetRequestId`.
pub fn new(inner: S, header_name: HeaderName, make_request_id: M) -> Self
where
M: MakeRequestId,
{
Self {
inner,
header_name,
make_request_id,
}
}
/// Create a new `SetRequestId` that uses `x-request-id` as the header name.
pub fn x_request_id(inner: S, make_request_id: M) -> Self
where
M: MakeRequestId,
{
Self::new(
inner,
HeaderName::from_static(X_REQUEST_ID),
make_request_id,
)
}
define_inner_service_accessors!();
/// Returns a new [`Layer`] that wraps services with a `SetRequestId` middleware.
pub fn layer(header_name: HeaderName, make_request_id: M) -> SetRequestIdLayer<M>
where
M: MakeRequestId,
{
SetRequestIdLayer::new(header_name, make_request_id)
}
}
impl<S, M, ReqBody, ResBody> Service<Request<ReqBody>> for SetRequestId<S, M>
where
S: Service<Request<ReqBody>, Response = Response<ResBody>>,
M: MakeRequestId,
{
type Response = S::Response;
type Error = S::Error;
type Future = S::Future;
#[inline]
fn poll_ready(&mut self, cx: &mut Context<'_>) -> Poll<Result<(), Self::Error>> {
self.inner.poll_ready(cx)
}
fn call(&mut self, mut req: Request<ReqBody>) -> Self::Future {
if let Some(request_id) = req.headers().get(&self.header_name) {
if req.extensions().get::<RequestId>().is_none() {
let request_id = request_id.clone();
req.extensions_mut().insert(RequestId::new(request_id));
}
} else if let Some(request_id) = self.make_request_id.make_request_id(&req) {
req.extensions_mut().insert(request_id.clone());
req.headers_mut()
.insert(self.header_name.clone(), request_id.0);
}
self.inner.call(req)
}
}
/// Propagate request ids from requests to responses.
///
/// This layer applies the [`PropagateRequestId`] middleware.
///
/// See the [module docs](self) and [`PropagateRequestId`] for more details.
#[derive(Debug, Clone)]
pub struct PropagateRequestIdLayer {
header_name: HeaderName,
}
impl PropagateRequestIdLayer {
/// Create a new `PropagateRequestIdLayer`.
pub fn new(header_name: HeaderName) -> Self {
PropagateRequestIdLayer { header_name }
}
/// Create a new `PropagateRequestIdLayer` that uses `x-request-id` as the header name.
pub fn x_request_id() -> Self {
Self::new(HeaderName::from_static(X_REQUEST_ID))
}
}
impl<S> Layer<S> for PropagateRequestIdLayer {
type Service = PropagateRequestId<S>;
fn layer(&self, inner: S) -> Self::Service {
PropagateRequestId::new(inner, self.header_name.clone())
}
}
/// Propagate request ids from requests to responses.
///
/// See the [module docs](self) for an example.
///
/// If the request contains a matching header that header will be applied to responses. If a
/// [`RequestId`] extension is also present it will be propagated as well.
#[derive(Debug, Clone)]
pub struct PropagateRequestId<S> {
inner: S,
header_name: HeaderName,
}
impl<S> PropagateRequestId<S> {
/// Create a new `PropagateRequestId`.
pub fn new(inner: S, header_name: HeaderName) -> Self {
Self { inner, header_name }
}
/// Create a new `PropagateRequestId` that uses `x-request-id` as the header name.
pub fn x_request_id(inner: S) -> Self {
Self::new(inner, HeaderName::from_static(X_REQUEST_ID))
}
define_inner_service_accessors!();
/// Returns a new [`Layer`] that wraps services with a `PropagateRequestId` middleware.
pub fn layer(header_name: HeaderName) -> PropagateRequestIdLayer {
PropagateRequestIdLayer::new(header_name)
}
}
impl<S, ReqBody, ResBody> Service<Request<ReqBody>> for PropagateRequestId<S>
where
S: Service<Request<ReqBody>, Response = Response<ResBody>>,
{
type Response = S::Response;
type Error = S::Error;
type Future = PropagateRequestIdResponseFuture<S::Future>;
fn poll_ready(&mut self, cx: &mut Context<'_>) -> Poll<Result<(), Self::Error>> {
self.inner.poll_ready(cx)
}
fn call(&mut self, req: Request<ReqBody>) -> Self::Future {
let request_id = req
.headers()
.get(&self.header_name)
.cloned()
.map(RequestId::new);
PropagateRequestIdResponseFuture {
inner: self.inner.call(req),
header_name: self.header_name.clone(),
request_id,
}
}
}
pin_project! {
/// Response future for [`PropagateRequestId`].
pub struct PropagateRequestIdResponseFuture<F> {
#[pin]
inner: F,
header_name: HeaderName,
request_id: Option<RequestId>,
}
}
impl<F, B, E> Future for PropagateRequestIdResponseFuture<F>
where
F: Future<Output = Result<Response<B>, E>>,
{
type Output = Result<Response<B>, E>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.project();
let mut response = ready!(this.inner.poll(cx))?;
if let Some(current_id) = response.headers().get(&*this.header_name) {
if response.extensions().get::<RequestId>().is_none() {
let current_id = current_id.clone();
response.extensions_mut().insert(RequestId::new(current_id));
}
} else if let Some(request_id) = this.request_id.take() {
response
.headers_mut()
.insert(this.header_name.clone(), request_id.0.clone());
response.extensions_mut().insert(request_id);
}
Poll::Ready(Ok(response))
}
}
/// A [`MakeRequestId`] that generates `UUID`s.
#[derive(Clone, Copy, Default)]
pub struct MakeRequestUuid;
impl MakeRequestId for MakeRequestUuid {
fn make_request_id<B>(&mut self, _request: &Request<B>) -> Option<RequestId> {
let request_id = Uuid::new_v4().to_string().parse().unwrap();
Some(RequestId::new(request_id))
}
}
#[cfg(test)]
mod tests {
use crate::test_helpers::Body;
use crate::ServiceBuilderExt as _;
use http::Response;
use std::{
convert::Infallible,
sync::{
atomic::{AtomicU64, Ordering},
Arc,
},
};
use tower::{ServiceBuilder, ServiceExt};
#[allow(unused_imports)]
use super::*;
#[tokio::test]
async fn basic() {
let svc = ServiceBuilder::new()
.set_x_request_id(Counter::default())
.propagate_x_request_id()
.service_fn(handler);
// header on response
let req = Request::builder().body(Body::empty()).unwrap();
let res = svc.clone().oneshot(req).await.unwrap();
assert_eq!(res.headers()["x-request-id"], "0");
let req = Request::builder().body(Body::empty()).unwrap();
let res = svc.clone().oneshot(req).await.unwrap();
assert_eq!(res.headers()["x-request-id"], "1");
// doesn't override if header is already there
let req = Request::builder()
.header("x-request-id", "foo")
.body(Body::empty())
.unwrap();
let res = svc.clone().oneshot(req).await.unwrap();
assert_eq!(res.headers()["x-request-id"], "foo");
// extension propagated
let req = Request::builder().body(Body::empty()).unwrap();
let res = svc.clone().oneshot(req).await.unwrap();
assert_eq!(res.extensions().get::<RequestId>().unwrap().0, "2");
}
#[tokio::test]
async fn other_middleware_setting_request_id() {
let svc = ServiceBuilder::new()
.override_request_header(
HeaderName::from_static("x-request-id"),
HeaderValue::from_str("foo").unwrap(),
)
.set_x_request_id(Counter::default())
.map_request(|request: Request<_>| {
// `set_x_request_id` should set the extension if its missing
assert_eq!(request.extensions().get::<RequestId>().unwrap().0, "foo");
request
})
.propagate_x_request_id()
.service_fn(handler);
let req = Request::builder()
.header(
"x-request-id",
"this-will-be-overriden-by-override_request_header-middleware",
)
.body(Body::empty())
.unwrap();
let res = svc.clone().oneshot(req).await.unwrap();
assert_eq!(res.headers()["x-request-id"], "foo");
assert_eq!(res.extensions().get::<RequestId>().unwrap().0, "foo");
}
#[tokio::test]
async fn other_middleware_setting_request_id_on_response() {
let svc = ServiceBuilder::new()
.set_x_request_id(Counter::default())
.propagate_x_request_id()
.override_response_header(
HeaderName::from_static("x-request-id"),
HeaderValue::from_str("foo").unwrap(),
)
.service_fn(handler);
let req = Request::builder()
.header("x-request-id", "foo")
.body(Body::empty())
.unwrap();
let res = svc.clone().oneshot(req).await.unwrap();
assert_eq!(res.headers()["x-request-id"], "foo");
assert_eq!(res.extensions().get::<RequestId>().unwrap().0, "foo");
}
#[derive(Clone, Default)]
struct Counter(Arc<AtomicU64>);
impl MakeRequestId for Counter {
fn make_request_id<B>(&mut self, _request: &Request<B>) -> Option<RequestId> {
let id =
HeaderValue::from_str(&self.0.fetch_add(1, Ordering::SeqCst).to_string()).unwrap();
Some(RequestId::new(id))
}
}
async fn handler(_: Request<Body>) -> Result<Response<Body>, Infallible> {
Ok(Response::new(Body::empty()))
}
#[tokio::test]
async fn uuid() {
let svc = ServiceBuilder::new()
.set_x_request_id(MakeRequestUuid)
.propagate_x_request_id()
.service_fn(handler);
// header on response
let req = Request::builder().body(Body::empty()).unwrap();
let mut res = svc.clone().oneshot(req).await.unwrap();
let id = res.headers_mut().remove("x-request-id").unwrap();
id.to_str().unwrap().parse::<Uuid>().unwrap();
}
}