Skip to content

Commit 138a5e6

Browse files
committed
feat: add serving /network and /escrow subgraphs back in
1 parent 6d520f9 commit 138a5e6

File tree

5 files changed

+126
-42
lines changed

5 files changed

+126
-42
lines changed

common/src/indexer_service/http/config.rs

+4
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,10 @@ pub struct DatabaseConfig {
1414

1515
#[derive(Clone, Debug, Deserialize, Serialize)]
1616
pub struct SubgraphConfig {
17+
#[serde(default)]
18+
pub serve_subgraph: bool,
19+
pub serve_auth_token: Option<String>,
20+
1721
pub deployment: Option<DeploymentId>,
1822
pub query_url: String,
1923
pub syncing_interval: u64,

common/src/indexer_service/http/indexer_service.rs

+68-10
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,7 @@ use axum::{
1616
error_handling::HandleErrorLayer,
1717
response::{IntoResponse, Response},
1818
routing::{get, post},
19-
BoxError, Json, Router, Server,
19+
BoxError, Extension, Json, Router, Server,
2020
};
2121
use build_info::BuildInfo;
2222
use eventuals::Eventual;
@@ -31,7 +31,9 @@ use tower_governor::{errors::display_error, governor::GovernorConfigBuilder, Gov
3131
use tracing::info;
3232

3333
use crate::{
34-
indexer_service::http::metrics::IndexerServiceMetrics,
34+
indexer_service::http::{
35+
metrics::IndexerServiceMetrics, static_subgraph::static_subgraph_request_handler,
36+
},
3537
prelude::{
3638
attestation_signers, dispute_manager, escrow_accounts, indexer_allocations,
3739
AttestationSigner, DeploymentDetails, SubgraphClient,
@@ -83,7 +85,7 @@ where
8385
InvalidRequest(anyhow::Error),
8486
#[error("Error while processing the request: {0}")]
8587
ProcessingError(E),
86-
#[error("No receipt or free query auth token provided")]
88+
#[error("No valid receipt or free query auth token provided")]
8789
Unauthorized,
8890
#[error("Invalid free query auth token")]
8991
InvalidFreeQueryAuthToken,
@@ -93,6 +95,8 @@ where
9395
FailedToProvideAttestation,
9496
#[error("Failed to provide response")]
9597
FailedToProvideResponse,
98+
#[error("Failed to query subgraph: {0}")]
99+
FailedToQueryStaticSubgraph(anyhow::Error),
96100
}
97101

98102
impl<E> From<&IndexerServiceError<E>> for StatusCode
@@ -119,6 +123,8 @@ where
119123
InvalidRequest(_) => StatusCode::BAD_REQUEST,
120124
InvalidFreeQueryAuthToken => StatusCode::BAD_REQUEST,
121125
ProcessingError(_) => StatusCode::BAD_REQUEST,
126+
127+
FailedToQueryStaticSubgraph(_) => StatusCode::INTERNAL_SERVER_ERROR,
122128
}
123129
}
124130
}
@@ -192,7 +198,7 @@ impl IndexerService {
192198
.build()
193199
.expect("Failed to init HTTP client");
194200

195-
let network_subgraph = Box::leak(Box::new(SubgraphClient::new(
201+
let network_subgraph: &'static SubgraphClient = Box::leak(Box::new(SubgraphClient::new(
196202
http_client.clone(),
197203
options
198204
.config
@@ -234,7 +240,7 @@ impl IndexerService {
234240
dispute_manager,
235241
);
236242

237-
let escrow_subgraph = Box::leak(Box::new(SubgraphClient::new(
243+
let escrow_subgraph: &'static SubgraphClient = Box::leak(Box::new(SubgraphClient::new(
238244
http_client,
239245
options
240246
.config
@@ -294,7 +300,7 @@ impl IndexerService {
294300
// Rate limits by allowing bursts of 10 requests and requiring 100ms of
295301
// time between consecutive requests after that, effectively rate
296302
// limiting to 10 req/s.
297-
let rate_limiter = GovernorLayer {
303+
let misc_rate_limiter = GovernorLayer {
298304
config: Box::leak(Box::new(
299305
GovernorConfigBuilder::default()
300306
.per_millisecond(100)
@@ -304,17 +310,69 @@ impl IndexerService {
304310
)),
305311
};
306312

307-
let misc_routes = Router::new()
313+
let mut misc_routes = Router::new()
308314
.route("/", get("Service is up and running"))
309315
.route("/version", get(Json(options.release)))
310316
.layer(
311317
ServiceBuilder::new()
312318
.layer(HandleErrorLayer::new(|e: BoxError| async move {
313319
display_error(e)
314320
}))
315-
.layer(rate_limiter),
316-
)
317-
.with_state(state.clone());
321+
.layer(misc_rate_limiter),
322+
);
323+
324+
// Rate limits by allowing bursts of 50 requests and requiring 20ms of
325+
// time between consecutive requests after that, effectively rate
326+
// limiting to 50 req/s.
327+
let static_subgraph_rate_limiter = GovernorLayer {
328+
config: Box::leak(Box::new(
329+
GovernorConfigBuilder::default()
330+
.per_millisecond(20)
331+
.burst_size(50)
332+
.finish()
333+
.expect("Failed to set up rate limiting"),
334+
)),
335+
};
336+
337+
if options.config.network_subgraph.serve_subgraph {
338+
info!("Serving network subgraph at /network");
339+
340+
misc_routes = misc_routes.route(
341+
"/network",
342+
post(static_subgraph_request_handler::<I>)
343+
.route_layer(Extension(network_subgraph))
344+
.route_layer(Extension(
345+
options.config.network_subgraph.serve_auth_token.clone(),
346+
))
347+
.route_layer(
348+
ServiceBuilder::new()
349+
.layer(HandleErrorLayer::new(|e: BoxError| async move {
350+
display_error(e)
351+
}))
352+
.layer(static_subgraph_rate_limiter.clone()),
353+
),
354+
);
355+
}
356+
357+
if options.config.escrow_subgraph.serve_subgraph {
358+
info!("Serving escrow subgraph at /escrow");
359+
360+
misc_routes = misc_routes
361+
.route("/escrow", post(static_subgraph_request_handler::<I>))
362+
.route_layer(Extension(escrow_subgraph))
363+
.route_layer(Extension(
364+
options.config.escrow_subgraph.serve_auth_token.clone(),
365+
))
366+
.route_layer(
367+
ServiceBuilder::new()
368+
.layer(HandleErrorLayer::new(|e: BoxError| async move {
369+
display_error(e)
370+
}))
371+
.layer(static_subgraph_rate_limiter),
372+
);
373+
}
374+
375+
misc_routes = misc_routes.with_state(state.clone());
318376

319377
let data_routes = Router::new()
320378
.route(

common/src/indexer_service/http/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,7 @@ mod indexer_service;
66
mod metrics;
77
mod request_handler;
88
mod scalar_receipt_header;
9+
mod static_subgraph;
910

1011
pub use config::{
1112
DatabaseConfig, GraphNetworkConfig, IndexerConfig, IndexerServiceConfig, ServerConfig,
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,52 @@
1+
// Copyright 2023-, GraphOps and Semiotic Labs.
2+
// SPDX-License-Identifier: Apache-2.0
3+
4+
use axum::{body::Bytes, http::HeaderMap, response::IntoResponse, Extension};
5+
use tracing::warn;
6+
7+
use crate::subgraph_client::SubgraphClient;
8+
9+
use super::{indexer_service::IndexerServiceError, IndexerServiceImpl};
10+
11+
#[autometrics::autometrics]
12+
pub async fn static_subgraph_request_handler<I>(
13+
Extension(subgraph_client): Extension<&'static SubgraphClient>,
14+
Extension(required_auth_token): Extension<Option<String>>,
15+
headers: HeaderMap,
16+
body: Bytes,
17+
) -> Result<impl IntoResponse, IndexerServiceError<I::Error>>
18+
where
19+
I: IndexerServiceImpl + Sync + Send + 'static,
20+
{
21+
if let Some(required_auth_token) = required_auth_token {
22+
let authorization = headers
23+
.get("authorization")
24+
.map(|value| value.to_str())
25+
.transpose()
26+
.map_err(|_| IndexerServiceError::Unauthorized)?
27+
.ok_or_else(|| IndexerServiceError::Unauthorized)?
28+
.trim_start_matches("Bearer ");
29+
30+
if authorization != required_auth_token {
31+
return Err(IndexerServiceError::Unauthorized);
32+
}
33+
}
34+
35+
let response = subgraph_client
36+
.query_raw(body)
37+
.await
38+
.map_err(IndexerServiceError::FailedToQueryStaticSubgraph)?;
39+
40+
Ok((
41+
response.status(),
42+
response.headers().to_owned(),
43+
response
44+
.text()
45+
.await
46+
.map_err(|e| {
47+
warn!("Failed to read response body: {}", e);
48+
e
49+
})
50+
.map_err(|e| IndexerServiceError::FailedToQueryStaticSubgraph(e.into()))?,
51+
))
52+
}

service/src/config.rs

+1-32
Original file line numberDiff line numberDiff line change
@@ -3,49 +3,18 @@
33

44
use std::path::PathBuf;
55

6-
use alloy_primitives::Address;
76
use figment::{
87
providers::{Format, Toml},
98
Figment,
109
};
1110
use indexer_common::indexer_service::http::IndexerServiceConfig;
12-
use serde::{Deserialize, Serialize};
13-
use thegraph::types::DeploymentId;
11+
use serde::Deserialize;
1412

1513
#[derive(Clone, Debug, Deserialize)]
1614
pub struct Config {
17-
// pub receipts: Receipts,
18-
// pub indexer_infrastructure: IndexerInfrastructure,
19-
// pub postgres: Postgres,
20-
// pub network_subgraph: NetworkSubgraph,
21-
// pub escrow_subgraph: EscrowSubgraph,
2215
pub common: IndexerServiceConfig,
2316
}
2417

25-
#[derive(Clone, Debug, Serialize, Deserialize, Default)]
26-
pub struct NetworkSubgraph {
27-
// #[clap(
28-
// long,
29-
// value_name = "serve-network-subgraph",
30-
// env = "SERVE_NETWORK_SUBGRAPH",
31-
// default_value_t = false,
32-
// help = "Whether to serve the network subgraph at /network"
33-
// )]
34-
pub serve_network_subgraph: bool,
35-
}
36-
37-
#[derive(Clone, Debug, Serialize, Deserialize, Default)]
38-
pub struct EscrowSubgraph {
39-
// #[clap(
40-
// long,
41-
// value_name = "serve-escrow-subgraph",
42-
// env = "SERVE_ESCROW_SUBGRAPH",
43-
// default_value_t = false,
44-
// help = "Whether to serve the escrow subgraph at /escrow"
45-
// )]
46-
// pub serve_escrow_subgraph: bool,
47-
}
48-
4918
impl Config {
5019
pub fn load(filename: &PathBuf) -> Result<Self, figment::Error> {
5120
Figment::new().merge(Toml::file(filename)).extract()

0 commit comments

Comments
 (0)