1// Copyright Materialize, Inc. and contributors. All rights reserved.
2//
3// Use of this software is governed by the Business Source License
4// included in the LICENSE file.
5//
6// As of the Change Date specified in that file, in accordance with
7// the Business Source License, use of this software will be governed
8// by the Apache License, Version 2.0.
910use std::time::Duration;
1112use axum::{Extension, Router, body::Body, routing::get};
13use http::{Method, Request, Response, StatusCode};
14use prometheus::{Encoder, TextEncoder};
15use tower_http::{classify::ServerErrorsFailureClass, trace::TraceLayer};
16use tracing::{Level, Span};
1718use mz_ore::metric;
19use mz_ore::metrics::{MetricsRegistry, UIntGauge};
2021#[derive(Debug)]
22pub struct Metrics {
23pub needs_update: UIntGauge,
24}
2526impl Metrics {
27pub fn register_into(registry: &MetricsRegistry) -> Self {
28Self {
29 needs_update: registry.register(
30metric! {
31 name: "needs_update",
32 help: "Count of organizations in this cluster which are running outdated pod templates",
33 }),
34 }
35 }
36}
3738pub fn router(registry: MetricsRegistry) -> Router {
39 add_tracing_layer(
40 Router::new()
41 .route("/metrics", get(metrics))
42 .layer(Extension(registry)),
43 )
44}
4546#[allow(clippy::unused_async)]
47async fn metrics(Extension(registry): Extension<MetricsRegistry>) -> (StatusCode, Vec<u8>) {
48let mut buf = vec![];
49let encoder = TextEncoder::new();
50let metric_families = registry.gather();
51 encoder.encode(&metric_families, &mut buf).unwrap();
52 (StatusCode::OK, buf)
53}
5455/// Adds a tracing layer that reports an `INFO` level span per
56/// request and reports a `WARN` event when a handler returns a
57/// server error to the given Axum Router
58///
59/// This accepts a router instead of returning a layer itself
60/// to avoid dealing with defining generics over a bunch of closures
61/// (see <https://users.rust-lang.org/t/how-to-encapsulate-a-builder-that-depends-on-a-closure/71139/6>)
62///
63/// And this also can't be returned as a Router::new()::layer(TraceLayer)...
64/// because the TraceLayer needs to be added to a Router after
65/// all routes are defined, as it won't trace any routes defined
66/// on the router after it's attached.
67fn add_tracing_layer<S>(router: Router<S>) -> Router<S>
68where
69S: Clone + Send + Sync + 'static,
70{
71 router.layer(TraceLayer::new_for_http()
72 .make_span_with(|request: &Request<Body>| {
73// This ugly macro is needed, unfortunately (and
74 // copied from tower-http), because
75 // `tracing::span!` required the level argument to
76 // be static. Meaning we can't just pass
77 // `self.level`.
78 // Don't log Authorization headers
79let mut headers = request.headers().clone();
80_ = headers.remove(http::header::AUTHORIZATION);
81macro_rules! make_span {
82 ($level:expr) => {
83tracing::span!(
84$level,
85"HTTP request",
86"request.uri" = %request.uri(),
87"request.version" = ?request.version(),
88"request.method" = %request.method(),
89"request.headers" = ?headers,
90"response.status" = tracing::field::Empty,
91"response.status_code" = tracing::field::Empty,
92"response.headers" = tracing::field::Empty,
93 )
94 }
95 }
96if request.uri().path() == "/api/health" || request.method() == Method::OPTIONS {
97return make_span!(Level::DEBUG);
98 }
99make_span!(Level::INFO)
100 })
101 .on_response(|response: &Response<Body>, _latency, span: &Span| {
102 span.record(
103"response.status",
104&tracing::field::display(response.status()),
105 );
106 span.record(
107"response.status_code",
108&tracing::field::display(response.status().as_u16()),
109 );
110 span.record(
111"response.headers",
112&tracing::field::debug(response.headers()),
113 );
114// Emit an event at the same level as the span. For the same reason as noted in the comment
115 // above we can't use `tracing::event!(dynamic_level, ...)` since the level argument
116 // needs to be static
117if span.metadata().and_then(|m| Some(m.level())).unwrap_or(&Level::DEBUG) == &Level::DEBUG {
118tracing::debug!(msg = "HTTP response generated", response = ?response, status_code = response.status().as_u16());
119 } else {
120tracing::info!(msg = "HTTP response generated", response = ?response, status_code = response.status().as_u16());
121 }
122 })
123 .on_failure(
124 |error: ServerErrorsFailureClass, _latency: Duration, _span: &Span| {
125tracing::warn!(msg = "HTTP request handling error", error = ?error);
126 },
127 ))
128}