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

use std::net::SocketAddr;
use std::sync::Arc;

use axum::body::Body;
use axum::http;
use hyper::Request;
use jsonrpsee::RpcModule;
use metrics::Metrics;
use metrics::MetricsLayer;
use prometheus::Registry;
use sui_core::traffic_controller::metrics::TrafficControllerMetrics;
use sui_core::traffic_controller::TrafficController;
use sui_types::traffic_control::PolicyConfig;
use sui_types::traffic_control::RemoteFirewallConfig;
use tokio::runtime::Handle;
use tokio_util::sync::CancellationToken;
use tower::ServiceBuilder;
use tower_http::trace::TraceLayer;
use tracing::info;

pub use balance_changes::*;
pub use object_changes::*;
pub use sui_config::node::ServerType;
use sui_open_rpc::{Module, Project};
use traffic_control::TrafficControllerService;

use crate::error::Error;

pub mod authority_state;
mod balance_changes;
pub mod bridge_api;
pub mod coin_api;
pub mod error;
pub mod governance_api;
pub mod indexer_api;
pub mod logger;
mod metrics;
pub mod move_utils;
mod object_changes;
pub mod read_api;
mod traffic_control;
pub mod transaction_builder_api;
pub mod transaction_execution_api;

pub const APP_NAME_HEADER: &str = "app-name";

pub const MAX_REQUEST_SIZE: u32 = 2 << 30;

pub struct JsonRpcServerBuilder {
    module: RpcModule<()>,
    rpc_doc: Project,
    registry: Registry,
    policy_config: Option<PolicyConfig>,
    firewall_config: Option<RemoteFirewallConfig>,
}

pub fn sui_rpc_doc(version: &str) -> Project {
    Project::new(
        version,
        "Sui JSON-RPC",
        "Sui JSON-RPC API for interaction with Sui Full node. Make RPC calls using https://fullnode.NETWORK.sui.io:443, where NETWORK is the network you want to use (testnet, devnet, mainnet). By default, local networks use port 9000.",
        "Mysten Labs",
        "https://mystenlabs.com",
        "build@mystenlabs.com",
        "Apache-2.0",
        "https://raw.githubusercontent.com/MystenLabs/sui/main/LICENSE",
    )
}

impl JsonRpcServerBuilder {
    pub fn new(
        version: &str,
        prometheus_registry: &Registry,
        policy_config: Option<PolicyConfig>,
        firewall_config: Option<RemoteFirewallConfig>,
    ) -> Self {
        Self {
            module: RpcModule::new(()),
            rpc_doc: sui_rpc_doc(version),
            registry: prometheus_registry.clone(),
            policy_config,
            firewall_config,
        }
    }

    pub fn register_module<T: SuiRpcModule>(&mut self, module: T) -> Result<(), Error> {
        self.rpc_doc.add_module(T::rpc_doc_module());
        Ok(self.module.merge(module.rpc())?)
    }

    fn trace_layer() -> TraceLayer<
        tower_http::classify::SharedClassifier<tower_http::classify::ServerErrorsAsFailures>,
        impl tower_http::trace::MakeSpan<Body> + Clone,
        (),
        (),
        (),
        (),
        (),
    > {
        TraceLayer::new_for_http()
            .make_span_with(|request: &Request<Body>| {
                let request_id = request
                    .headers()
                    .get("x-req-id")
                    .and_then(|v| v.to_str().ok())
                    .map(tracing::field::display);

                let origin = request
                    .headers()
                    .get("origin")
                    .and_then(|v| v.to_str().ok())
                    .map(tracing::field::display);

                tracing::info_span!(
                    "json-rpc-request",
                    "x-req-id" = request_id,
                    "origin" = origin
                )
            })
            .on_request(())
            .on_response(())
            .on_body_chunk(())
            .on_eos(())
            .on_failure(())
    }

    pub async fn to_router(&self, server_type: ServerType) -> Result<axum::Router, Error> {
        let rpc_docs = self.rpc_doc.clone();
        let mut module = self.module.clone();
        module.register_method("rpc.discover", move |_, _, _| {
            Ok::<_, jsonrpsee::types::ErrorObjectOwned>(rpc_docs.clone())
        })?;
        let methods_names = module.method_names().collect::<Vec<_>>();

        let metrics = Arc::new(Metrics::new(&self.registry, &methods_names));
        let traffic_controller_metrics = TrafficControllerMetrics::new(&self.registry);
        let traffic_controller = self.policy_config.clone().map(|policy| {
            Arc::new(TrafficController::init(
                policy,
                traffic_controller_metrics,
                self.firewall_config.clone(),
            ))
        });
        let client_id_source = self
            .policy_config
            .clone()
            .map(|policy| policy.client_id_source);

        let metrics_clone = metrics.clone();
        let middleware = ServiceBuilder::new()
            .layer(Self::trace_layer())
            .map_request(move |mut request: http::Request<_>| {
                metrics_clone.on_http_request(request.headers());
                if let Some(client_id_source) = client_id_source.clone() {
                    traffic_control::determine_client_ip(client_id_source, &mut request);
                }
                request
            });

        let (stop_handle, server_handle) = jsonrpsee::server::stop_channel();
        std::mem::forget(server_handle);

        let rpc_middleware = jsonrpsee::server::middleware::rpc::RpcServiceBuilder::new()
            .layer_fn(move |s| MetricsLayer::new(s, metrics.clone()))
            .layer_fn(move |s| TrafficControllerService::new(s, traffic_controller.clone()));
        let service_builder = jsonrpsee::server::ServerBuilder::new()
            // Since we're not using jsonrpsee's server to actually handle connections this value
            // is instead limiting the number of concurrent requests and has no impact on the
            // number of connections. As such, for now we can just set this to a very high value to
            // disable it artificially limiting us to ~100 conncurrent requests.
            .max_connections(u32::MAX)
            // Before we updated jsonrpsee, batches were disabled so lets keep them disabled.
            .set_batch_request_config(jsonrpsee::server::BatchRequestConfig::Disabled)
            // We don't limit response body sizes.
            .max_response_body_size(u32::MAX)
            .set_rpc_middleware(rpc_middleware);

        let mut router = axum::Router::new();
        match server_type {
            ServerType::WebSocket => {
                let service = JsonRpcService(
                    service_builder
                        .ws_only()
                        .to_service_builder()
                        .build(module, stop_handle),
                );
                router = router
                    .route("/", axum::routing::get_service(service.clone()))
                    .route("/subscribe", axum::routing::get_service(service));
            }
            ServerType::Http => {
                let service = JsonRpcService(
                    service_builder
                        .http_only()
                        .to_service_builder()
                        .build(module, stop_handle),
                );
                router = router
                    .route("/", axum::routing::post_service(service.clone()))
                    .route("/json-rpc", axum::routing::post_service(service.clone()))
                    .route("/public", axum::routing::post_service(service));
            }
            ServerType::Both => {
                let service = JsonRpcService(
                    service_builder
                        .to_service_builder()
                        .build(module, stop_handle),
                );
                router = router
                    .route("/", axum::routing::post_service(service.clone()))
                    .route("/", axum::routing::get_service(service.clone()))
                    .route("/subscribe", axum::routing::get_service(service.clone()))
                    .route("/json-rpc", axum::routing::post_service(service.clone()))
                    .route("/public", axum::routing::post_service(service));
            }
        }

        let app = router.layer(middleware);

        info!("Available JSON-RPC methods : {:?}", methods_names);

        Ok(app)
    }

    pub async fn start(
        self,
        listen_address: SocketAddr,
        _custom_runtime: Option<Handle>,
        server_type: ServerType,
        cancel: Option<CancellationToken>,
    ) -> Result<ServerHandle, Error> {
        let app = self.to_router(server_type).await?;

        let listener = tokio::net::TcpListener::bind(&listen_address)
            .await
            .unwrap();
        let addr = listener.local_addr().unwrap();

        let handle = tokio::spawn(async move {
            axum::serve(
                listener,
                app.into_make_service_with_connect_info::<SocketAddr>(),
            )
            .await
            .unwrap();
            if let Some(cancel) = cancel {
                // Signal that the server is shutting down, so other tasks can clean-up.
                cancel.cancel();
            }
        });

        let handle = ServerHandle {
            handle: ServerHandleInner::Axum(handle),
        };
        info!(local_addr =? addr, "Sui JSON-RPC server listening on {addr}");
        Ok(handle)
    }
}

pub struct ServerHandle {
    handle: ServerHandleInner,
}

impl ServerHandle {
    pub async fn stopped(self) {
        match self.handle {
            ServerHandleInner::Axum(handle) => handle.await.unwrap(),
        }
    }
}

enum ServerHandleInner {
    Axum(tokio::task::JoinHandle<()>),
}

pub trait SuiRpcModule
where
    Self: Sized,
{
    fn rpc(self) -> RpcModule<Self>;
    fn rpc_doc_module() -> Module;
}

use jsonrpsee::core::BoxError;

#[derive(Clone)]
struct JsonRpcService<S>(S);

impl<S, RequestBody> tower::Service<http::Request<RequestBody>> for JsonRpcService<S>
where
    S: tower::Service<
        http::Request<RequestBody>,
        Error = BoxError,
        Response = http::Response<jsonrpsee::server::HttpBody>,
        Future: Send + 'static,
    >,
{
    type Response = http::Response<jsonrpsee::server::HttpBody>;
    type Error = std::convert::Infallible;
    type Future = std::pin::Pin<
        Box<dyn std::future::Future<Output = Result<Self::Response, Self::Error>> + Send>,
    >;

    fn poll_ready(
        &mut self,
        _cx: &mut std::task::Context<'_>,
    ) -> std::task::Poll<Result<(), Self::Error>> {
        std::task::Poll::Ready(Ok(()))
    }

    fn call(&mut self, request: http::Request<RequestBody>) -> Self::Future {
        let fut = self.0.call(request);
        Box::pin(async move {
            match fut.await {
                Ok(response) => Ok(response),
                Err(e) => Ok(http::Response::builder()
                    .status(http::status::StatusCode::INTERNAL_SERVER_ERROR)
                    .body(jsonrpsee::server::HttpBody::from(e.to_string()))
                    .unwrap()),
            }
        })
    }
}