sc_rpc_server/middleware/
node_health.rs1use std::{
22 error::Error,
23 future::Future,
24 pin::Pin,
25 task::{Context, Poll},
26};
27
28use futures::future::FutureExt;
29use http::{HeaderValue, Method, StatusCode, Uri};
30use jsonrpsee::{
31 server::{HttpBody, HttpRequest, HttpResponse},
32 types::{Response as RpcResponse, ResponseSuccess as RpcResponseSuccess},
33};
34use tower::Service;
35
36const RPC_SYSTEM_HEALTH_CALL: &str = r#"{"jsonrpc":"2.0","method":"system_health","id":0}"#;
37const HEADER_VALUE_JSON: HeaderValue = HeaderValue::from_static("application/json; charset=utf-8");
38
39#[derive(Debug, Clone, Default)]
42pub struct NodeHealthProxyLayer;
43
44impl<S> tower::Layer<S> for NodeHealthProxyLayer {
45 type Service = NodeHealthProxy<S>;
46
47 fn layer(&self, service: S) -> Self::Service {
48 NodeHealthProxy::new(service)
49 }
50}
51
52pub struct NodeHealthProxy<S>(S);
54
55impl<S> NodeHealthProxy<S> {
56 pub fn new(service: S) -> Self {
58 Self(service)
59 }
60}
61
62impl<S> tower::Service<http::Request<hyper::body::Incoming>> for NodeHealthProxy<S>
63where
64 S: Service<HttpRequest, Response = HttpResponse>,
65 S::Response: 'static,
66 S::Error: Into<Box<dyn Error + Send + Sync>> + 'static,
67 S::Future: Send + 'static,
68{
69 type Response = S::Response;
70 type Error = Box<dyn Error + Send + Sync + 'static>;
71 type Future =
72 Pin<Box<dyn Future<Output = Result<Self::Response, Self::Error>> + Send + 'static>>;
73
74 fn poll_ready(&mut self, cx: &mut Context<'_>) -> Poll<Result<(), Self::Error>> {
75 self.0.poll_ready(cx).map_err(Into::into)
76 }
77
78 fn call(&mut self, req: http::Request<hyper::body::Incoming>) -> Self::Future {
79 let mut req = req.map(|body| HttpBody::new(body));
80 let maybe_intercept = InterceptRequest::from_http(&req);
81
82 if let InterceptRequest::Health | InterceptRequest::Readiness = maybe_intercept {
84 *req.method_mut() = Method::POST;
86 *req.uri_mut() = Uri::from_static("/");
88
89 req.headers_mut().insert(http::header::CONTENT_TYPE, HEADER_VALUE_JSON);
91 req.headers_mut().insert(http::header::ACCEPT, HEADER_VALUE_JSON);
92
93 req = req.map(|_| HttpBody::from(RPC_SYSTEM_HEALTH_CALL));
95 }
96
97 let fut = self.0.call(req);
99
100 async move {
101 Ok(match maybe_intercept {
102 InterceptRequest::Deny =>
103 http_response(StatusCode::METHOD_NOT_ALLOWED, HttpBody::empty()),
104 InterceptRequest::No => fut.await.map_err(|err| err.into())?,
105 InterceptRequest::Health => {
106 let res = fut.await.map_err(|err| err.into())?;
107 let health = parse_rpc_response(res.into_body()).await?;
108 http_ok_response(serde_json::to_string(&health)?)
109 },
110 InterceptRequest::Readiness => {
111 let res = fut.await.map_err(|err| err.into())?;
112 let health = parse_rpc_response(res.into_body()).await?;
113 if (!health.is_syncing && health.peers > 0) || !health.should_have_peers {
114 http_ok_response(HttpBody::empty())
115 } else {
116 http_internal_error()
117 }
118 },
119 })
120 }
121 .boxed()
122 }
123}
124
125#[derive(Clone, Debug, PartialEq, serde::Serialize, serde::Deserialize)]
127#[serde(rename_all = "camelCase")]
128struct Health {
129 pub peers: usize,
131 pub is_syncing: bool,
133 pub should_have_peers: bool,
137}
138
139fn http_ok_response<S: Into<HttpBody>>(body: S) -> HttpResponse {
140 http_response(StatusCode::OK, body)
141}
142
143fn http_response<S: Into<HttpBody>>(status_code: StatusCode, body: S) -> HttpResponse {
144 HttpResponse::builder()
145 .status(status_code)
146 .header(http::header::CONTENT_TYPE, HEADER_VALUE_JSON)
147 .body(body.into())
148 .expect("Header is valid; qed")
149}
150
151fn http_internal_error() -> HttpResponse {
152 http_response(hyper::StatusCode::INTERNAL_SERVER_ERROR, HttpBody::empty())
153}
154
155async fn parse_rpc_response(
156 body: HttpBody,
157) -> Result<Health, Box<dyn Error + Send + Sync + 'static>> {
158 use http_body_util::BodyExt;
159
160 let bytes = body.collect().await?.to_bytes();
161
162 let raw_rp = serde_json::from_slice::<RpcResponse<Health>>(&bytes)?;
163 let rp = RpcResponseSuccess::<Health>::try_from(raw_rp)?;
164
165 Ok(rp.result)
166}
167
168enum InterceptRequest {
170 Health,
172 Readiness,
176 No,
178 Deny,
182}
183
184impl InterceptRequest {
185 fn from_http(req: &HttpRequest) -> InterceptRequest {
186 match req.uri().path() {
187 "/health" =>
188 if req.method() == http::Method::GET {
189 InterceptRequest::Health
190 } else {
191 InterceptRequest::Deny
192 },
193 "/health/readiness" =>
194 if req.method() == http::Method::GET {
195 InterceptRequest::Readiness
196 } else {
197 InterceptRequest::Deny
198 },
199 _ => InterceptRequest::No,
201 }
202 }
203}