Skip to content

Commit

Permalink
feat: add /poi_blocklist route
Browse files Browse the repository at this point in the history
  • Loading branch information
Theodus committed Nov 25, 2024
1 parent 81b006b commit 9ce1e3e
Show file tree
Hide file tree
Showing 5 changed files with 36 additions and 59 deletions.
22 changes: 15 additions & 7 deletions src/config.rs
Original file line number Diff line number Diff line change
Expand Up @@ -10,15 +10,12 @@ use anyhow::Context;
use ipnetwork::IpNetwork;
use ordered_float::NotNan;
use semver::Version;
use serde::Deserialize;
use serde::{Deserialize, Serialize};
use serde_with::{serde_as, DisplayFromStr};
use thegraph_core::{Address, DeploymentId};
use thegraph_core::{Address, BlockNumber, DeploymentId};
use url::Url;

use crate::{
auth::APIKey, indexers::public_poi::ProofOfIndexingInfo,
network::subgraph_client::TrustedIndexer,
};
use crate::{auth::APIKey, network::subgraph_client::TrustedIndexer};

/// The Graph Gateway configuration.
#[serde_as]
Expand Down Expand Up @@ -56,7 +53,7 @@ pub struct Config {
pub payment_required: bool,
/// POI blocklist
#[serde(default)]
pub poi_blocklist: Vec<ProofOfIndexingInfo>,
pub poi_blocklist: Vec<BlockedPoi>,
/// public API port
pub port_api: u16,
/// private metrics port
Expand Down Expand Up @@ -174,6 +171,17 @@ pub struct Receipts {
pub verifier: Address,
}

#[derive(Debug, Clone, Deserialize, Serialize)]
pub struct BlockedPoi {
pub public_poi: B256,
pub deployment: DeploymentId,
pub block_number: BlockNumber,
/// Example query (should be minimal to reproduce bad response)
pub query: Option<String>,
/// Bad query response, from the above query executed on indexers with this blocked PoI
pub bad_query_response: Option<String>,
}

/// Load the configuration from a JSON file.
pub fn load_from_file(path: &Path) -> anyhow::Result<Config> {
let config_content = std::fs::read_to_string(path)?;
Expand Down
28 changes: 0 additions & 28 deletions src/indexers/public_poi.rs
Original file line number Diff line number Diff line change
Expand Up @@ -35,34 +35,6 @@ pub enum Error {
EmptyResponse,
}

#[derive(Debug, Clone, Eq, PartialEq, Hash, serde::Deserialize)]
pub struct ProofOfIndexingInfo {
/// Proof of indexing (POI).
pub proof_of_indexing: ProofOfIndexing,
/// POI deployment ID (the IPFS Hash in the Graph Network Subgraph).
pub deployment_id: DeploymentId,
/// POI block number.
pub block_number: BlockNumber,
}

impl ProofOfIndexingInfo {
/// Get the POI metadata.
pub fn meta(&self) -> (DeploymentId, BlockNumber) {
(self.deployment_id, self.block_number)
}
}

impl From<((DeploymentId, BlockNumber), ProofOfIndexing)> for ProofOfIndexingInfo {
fn from(value: ((DeploymentId, BlockNumber), ProofOfIndexing)) -> Self {
let ((deployment_id, block_number), proof_of_indexing) = value;
Self {
deployment_id,
block_number,
proof_of_indexing,
}
}
}

#[derive(Clone, Debug, Serialize)]
#[serde(rename_all = "camelCase")]
struct PublicProofOfIndexingRequest {
Expand Down
8 changes: 7 additions & 1 deletion src/main.rs
Original file line number Diff line number Diff line change
Expand Up @@ -120,7 +120,7 @@ async fn main() {
conf.min_graph_node_version,
conf.blocked_indexers,
indexer_host_blocklist,
conf.poi_blocklist,
conf.poi_blocklist.clone(),
);
let indexing_perf = IndexingPerformance::new(network.clone());
network.wait_until_ready().await;
Expand Down Expand Up @@ -172,6 +172,8 @@ async fn main() {
reporter,
};

let poi_blocklist: &'static str = serde_json::to_string(&conf.poi_blocklist).unwrap().leak();

// Host metrics on a separate server with a port that isn't open to public requests.
tokio::spawn(async move {
let router = Router::new().route("/metrics", routing::get(handle_metrics));
Expand Down Expand Up @@ -252,6 +254,10 @@ async fn main() {
"/voucher",
routing::post(vouchers::handle_voucher).with_state(legacy_signer),
)
.route(
"/poi_blocklist",
routing::get(move || async move { poi_blocklist }),
)
.nest("/api", api);

let app_listener = TcpListener::bind(SocketAddr::new(
Expand Down
29 changes: 11 additions & 18 deletions src/network/indexer_indexing_poi_blocklist.rs
Original file line number Diff line number Diff line change
Expand Up @@ -11,28 +11,21 @@ use std::collections::{HashMap, HashSet};

use thegraph_core::{BlockNumber, DeploymentId, ProofOfIndexing};

use crate::indexers::public_poi::ProofOfIndexingInfo;
use crate::config::BlockedPoi;

/// A blocklist based on the Proof of Indexing (POI) of indexers.
#[derive(Default)]
pub struct PoiBlocklist {
blocklist: HashMap<DeploymentId, HashSet<ProofOfIndexingInfo>>,
blocklist: HashMap<DeploymentId, Vec<BlockedPoi>>,
}

impl PoiBlocklist {
pub fn new(conf: Vec<ProofOfIndexingInfo>) -> Self {
// Group the blocked POI info by deployment ID
let mut conf_map = HashMap::new();
pub fn new(conf: Vec<BlockedPoi>) -> Self {
let mut blocklist: HashMap<DeploymentId, Vec<BlockedPoi>> = Default::default();
for info in conf.into_iter() {
conf_map
.entry(info.deployment_id)
.or_insert_with(HashSet::new)
.insert(info);
}

Self {
blocklist: conf_map,
blocklist.entry(info.deployment).or_default().push(info);
}
Self { blocklist }
}

pub fn is_empty(&self) -> bool {
Expand All @@ -53,7 +46,7 @@ impl PoiBlocklist {
self.blocklist
.get(deployment_id)
.into_iter()
.flat_map(|pois| pois.iter().map(|poi_info| poi_info.meta()))
.flat_map(|pois| pois.iter().map(|poi| (poi.deployment, poi.block_number)))
})
.collect()
}
Expand All @@ -74,16 +67,16 @@ impl PoiBlocklist {
/// Check if the POI is in the blocklist.
fn check_poi(
&self,
deployment_id: DeploymentId,
deployment: DeploymentId,
block_number: BlockNumber,
poi: ProofOfIndexing,
) -> bool {
match self.blocklist.get(&deployment_id) {
match self.blocklist.get(&deployment) {
None => false,
Some(blocked_pois) => blocked_pois.iter().any(|blocked| {
blocked.deployment_id == deployment_id
blocked.deployment == deployment
&& blocked.block_number == block_number
&& blocked.proof_of_indexing == poi
&& blocked.public_poi == poi.0
}),
}
}
Expand Down
8 changes: 3 additions & 5 deletions src/network/service.rs
Original file line number Diff line number Diff line change
Expand Up @@ -28,7 +28,7 @@ use super::{
subgraph_client::Client as SubgraphClient,
ResolutionError,
};
use crate::{config::BlockedIndexer, indexers::public_poi::ProofOfIndexingInfo};
use crate::config::{BlockedIndexer, BlockedPoi};

/// Subgraph resolution information returned by the [`NetworkService`].
pub struct ResolvedSubgraphInfo {
Expand Down Expand Up @@ -177,7 +177,7 @@ pub fn spawn(
min_graph_node_version: Version,
indexer_blocklist: BTreeMap<Address, BlockedIndexer>,
indexer_host_blocklist: HashSet<IpNetwork>,
indexer_pois_blocklist: Vec<ProofOfIndexingInfo>,
poi_blocklist: Vec<BlockedPoi>,
) -> NetworkService {
let internal_state = InternalState {
indexer_blocklist,
Expand All @@ -189,9 +189,7 @@ pub fn spawn(
min_graph_node_version,
},
indexer_version_resolver: VersionResolver::new(http_client.clone(), Duration::from_secs(5)),
poi_blocklist: PoiBlocklist::new(
indexer_pois_blocklist.into_iter().map(Into::into).collect(),
),
poi_blocklist: PoiBlocklist::new(poi_blocklist),
poi_resolver: PoiResolver::new(
http_client.clone(),
Duration::from_secs(5),
Expand Down

0 comments on commit 9ce1e3e

Please sign in to comment.