sui_edge_proxy/
handlers.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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use crate::config::{LoggingConfig, PeerConfig};
use crate::metrics::AppMetrics;
use axum::{
    body::Body,
    extract::{Request, State},
    http::request::Parts,
    http::StatusCode,
    response::Response,
};
use bytes::Bytes;
use rand::Rng;
use std::time::Instant;
use tracing::{debug, warn};

#[derive(Debug)]
enum PeerRole {
    Read,
    Execution,
}

impl PeerRole {
    fn as_str(&self) -> &'static str {
        match self {
            PeerRole::Read => "read",
            PeerRole::Execution => "execution",
        }
    }
}

#[derive(Clone)]
pub struct AppState {
    client: reqwest::Client,
    read_peer: PeerConfig,
    execution_peer: PeerConfig,
    metrics: AppMetrics,
    logging_config: LoggingConfig,
}

impl AppState {
    pub fn new(
        client: reqwest::Client,
        read_peer: PeerConfig,
        execution_peer: PeerConfig,
        metrics: AppMetrics,
        logging_config: LoggingConfig,
    ) -> Self {
        Self {
            client,
            read_peer,
            execution_peer,
            metrics,
            logging_config,
        }
    }
}

pub async fn proxy_handler(
    State(state): State<AppState>,
    request: Request<Body>,
) -> Result<Response, (StatusCode, String)> {
    let (parts, body) = request.into_parts();
    let body_bytes = match axum::body::to_bytes(body, 10 * 1024 * 1024).await {
        Ok(bytes) => bytes,
        Err(e) => {
            warn!("Failed to read request body: {}", e);
            return Ok(Response::builder()
                .status(StatusCode::INTERNAL_SERVER_ERROR)
                .body(Body::from("Failed to read request body"))
                .unwrap());
        }
    };

    match parts
        .headers
        .get("Client-Request-Method")
        .and_then(|h| h.to_str().ok())
    {
        Some("sui_executeTransactionBlock") => {
            debug!("Using execution peer");
            proxy_request(state, parts, body_bytes, PeerRole::Execution).await
        }
        _ => {
            let json_body = match serde_json::from_slice::<serde_json::Value>(&body_bytes) {
                Ok(json_body) => json_body,
                Err(_) => {
                    debug!("Failed to parse request body as JSON");
                    return proxy_request(state, parts, body_bytes, PeerRole::Read).await;
                }
            };
            if let Some("sui_executeTransactionBlock") =
                json_body.get("method").and_then(|m| m.as_str())
            {
                proxy_request(state, parts, body_bytes, PeerRole::Execution).await
            } else {
                proxy_request(state, parts, body_bytes, PeerRole::Read).await
            }
        }
    }
}

async fn proxy_request(
    state: AppState,
    parts: Parts,
    body_bytes: Bytes,
    peer_type: PeerRole,
) -> Result<Response, (StatusCode, String)> {
    debug!(
        "Proxying request: method={:?}, uri={:?}, headers={:?}, body_len={}, peer_type={:?}",
        parts.method,
        parts.uri,
        parts.headers,
        body_bytes.len(),
        peer_type
    );
    if matches!(peer_type, PeerRole::Read) {
        let user_agent = parts
            .headers
            .get("user-agent")
            .and_then(|h| h.to_str().ok());
        let is_health_check = matches!(user_agent, Some(ua) if ua.contains("GoogleHC/1.0"));
        let is_grafana_agent = matches!(user_agent, Some(ua) if ua.contains("GrafanaAgent"));
        let is_grpc = parts
            .headers
            .get("content-type")
            .and_then(|h| h.to_str().ok())
            .map(|ct| ct.contains("grpc"))
            .unwrap_or(false);

        let should_sample = !is_health_check && !is_grafana_agent && !is_grpc;
        let rate = state.logging_config.read_request_sample_rate;
        if should_sample && rand::thread_rng().gen::<f64>() < rate {
            tracing::info!(
                headers = ?parts.headers,
                body = ?body_bytes,
                peer_type = ?peer_type,
                "Sampled read request"
            );
        }
    }

    let metrics = &state.metrics;
    let peer_type_str = peer_type.as_str();

    let timer_histogram = metrics.request_latency.with_label_values(&[peer_type_str]);
    let _timer = timer_histogram.start_timer();

    metrics
        .request_size_bytes
        .with_label_values(&[peer_type_str])
        .observe(body_bytes.len() as f64);

    let peer_config = match peer_type {
        PeerRole::Read => &state.read_peer,
        PeerRole::Execution => &state.execution_peer,
    };

    let mut target_url = peer_config.address.clone();
    target_url.set_path(parts.uri.path());
    if let Some(query) = parts.uri.query() {
        target_url.set_query(Some(query));
    }

    // remove host header to avoid interfering with reqwest auto-host header
    let mut headers = parts.headers.clone();
    headers.remove("host");
    let request_builder = state
        .client
        .request(parts.method.clone(), target_url)
        .headers(headers)
        .body(body_bytes.clone());
    debug!("Request builder: {:?}", request_builder);

    let upstream_start = Instant::now();
    let response = match request_builder.send().await {
        Ok(response) => {
            let status = response.status().as_u16().to_string();
            metrics
                .upstream_response_latency
                .with_label_values(&[peer_type_str, &status])
                .observe(upstream_start.elapsed().as_secs_f64());
            metrics
                .requests_total
                .with_label_values(&[peer_type_str, &status])
                .inc();
            debug!("Response: {:?}", response);
            response
        }
        Err(e) => {
            warn!("Failed to send request: {}", e);
            metrics
                .upstream_response_latency
                .with_label_values(&[peer_type_str, "error"])
                .observe(upstream_start.elapsed().as_secs_f64());
            metrics
                .requests_total
                .with_label_values(&[peer_type_str, "error"])
                .inc();
            if e.is_timeout() {
                metrics
                    .timeouts_total
                    .with_label_values(&[peer_type_str])
                    .inc();
            }
            return Err((StatusCode::BAD_GATEWAY, format!("Request failed: {}", e)));
        }
    };

    let response_headers = response.headers().clone();
    let response_bytes = match response.bytes().await {
        Ok(bytes) => bytes,
        Err(e) => {
            warn!("Failed to read response body: {}", e);
            metrics
                .error_counts
                .with_label_values(&[peer_type_str, "response_body_read"])
                .inc();
            return Err((
                StatusCode::INTERNAL_SERVER_ERROR,
                "Failed to read response body".to_string(),
            ));
        }
    };
    metrics
        .response_size_bytes
        .with_label_values(&[peer_type_str])
        .observe(response_bytes.len() as f64);

    let mut resp = Response::new(response_bytes.into());
    for (name, value) in response_headers {
        if let Some(name) = name {
            resp.headers_mut().insert(name, value);
        }
    }

    Ok(resp)
}