Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: update custom_rpc, runtime_api and broker api for broker level screening #5341

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

6 changes: 4 additions & 2 deletions api/bin/chainflip-broker-api/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -23,6 +23,7 @@ workspace = true

[dependencies]
chainflip-api = { workspace = true }
cf-chains = { workspace = true, default-features = true }
cf-utilities = { workspace = true, default-features = true }
custom-rpc = { workspace = true }

Expand All @@ -32,8 +33,9 @@ futures = { workspace = true }
hex = { workspace = true, default-features = true }
jsonrpsee = { workspace = true, features = ["full"] }
serde = { workspace = true, default-features = true, features = ["derive"] }
sp-core = { workspace = true }
sp-rpc = { workspace = true }
sp-core = { workspace = true, default-features = true }
sp-rpc = { workspace = true, default-features = true }
sc-rpc = { workspace = true, default-features = true }
thiserror = { workspace = true }
tokio = { workspace = true }
tracing = { workspace = true }
Expand Down
109 changes: 104 additions & 5 deletions api/bin/chainflip-broker-api/src/main.rs
Original file line number Diff line number Diff line change
Expand Up @@ -6,19 +6,26 @@ use cf_utilities::{
};
use chainflip_api::{
self,
primitives::{AccountRole, Affiliates, Asset, BasisPoints, CcmChannelMetadata, DcaParameters},
primitives::{
state_chain_runtime::runtime_apis::{ChainAccounts, TaintedTransactionEvents},
AccountRole, Affiliates, Asset, BasisPoints, CcmChannelMetadata, DcaParameters,
},
settings::StateChain,
AccountId32, AddressString, BrokerApi, OperatorApi, RefundParameters, StateChainApi,
SwapDepositAddress, SwapPayload, WithdrawFeesDetail,
AccountId32, AddressString, BlockUpdate, BrokerApi, ChainApi, DepositMonitorApi, OperatorApi,
RefundParameters, SignedExtrinsicApi, StateChainApi, SwapDepositAddress, SwapPayload,
TransactionInId, WithdrawFeesDetail,
};
use clap::Parser;
use futures::FutureExt;
use custom_rpc::CustomApiClient;
use futures::{FutureExt, StreamExt};
use jsonrpsee::{
core::{async_trait, ClientError},
core::{async_trait, ClientError, SubscriptionResult},
proc_macros::rpc,
server::ServerBuilder,
types::{ErrorCode, ErrorObject, ErrorObjectOwned},
PendingSubscriptionSink,
};
use serde::{Deserialize, Serialize};
use std::{
path::PathBuf,
sync::{atomic::AtomicBool, Arc},
Expand Down Expand Up @@ -61,6 +68,12 @@ impl From<BrokerApiError> for ErrorObjectOwned {
}
}

#[derive(Serialize, Deserialize)]
pub enum GetOpenDepositChannelsQuery {
All,
Mine,
}

#[rpc(server, client, namespace = "broker")]
pub trait Rpc {
#[method(name = "register_account", aliases = ["broker_registerAccount"])]
Expand Down Expand Up @@ -100,6 +113,18 @@ pub trait Rpc {
affiliate_fees: Option<Affiliates<AccountId32>>,
dca_parameters: Option<DcaParameters>,
) -> RpcResult<SwapPayload>;

#[method(name = "mark_transaction_as_tainted", aliases = ["broker_markTransactionAsTainted"])]
async fn mark_transaction_as_tainted(&self, tx_id: TransactionInId) -> RpcResult<()>;

#[method(name = "get_open_deposit_channels", aliases = ["broker_getOpenDepositChannels"])]
async fn get_open_deposit_channels(
&self,
query: GetOpenDepositChannelsQuery,
) -> RpcResult<ChainAccounts>;

#[subscription(name = "subscribe_tainted_transaction_events", item = BlockUpdate<TaintedTransactionEvents>)]
async fn subscribe_tainted_transaction_events(&self) -> SubscriptionResult;
}

pub struct RpcServerImpl {
Expand Down Expand Up @@ -194,6 +219,80 @@ impl RpcServer for RpcServerImpl {
)
.await?)
}

async fn mark_transaction_as_tainted(&self, tx_id: TransactionInId) -> RpcResult<()> {
self.api
.deposit_monitor_api()
.mark_transaction_as_tainted(tx_id)
.await
.map_err(BrokerApiError::Other)?;
Ok(())
}

async fn get_open_deposit_channels(
&self,
query: GetOpenDepositChannelsQuery,
) -> RpcResult<ChainAccounts> {
let account_id = match query {
GetOpenDepositChannelsQuery::All => None,
GetOpenDepositChannelsQuery::Mine => Some(self.api.state_chain_client.account_id()),
};

self.api
.state_chain_client
.base_rpc_client
.raw_rpc_client
.cf_get_open_deposit_channels(account_id, None)
.await
.map_err(BrokerApiError::ClientError)
}

async fn subscribe_tainted_transaction_events(
&self,
pending_sink: PendingSubscriptionSink,
) -> SubscriptionResult {
let state_chain_client = self.api.state_chain_client.clone();
let sink = pending_sink.accept().await.map_err(|e| e.to_string())?;
tokio::spawn(async move {
// Note we construct the subscription here rather than relying on the custom-rpc
// subscription. This is because we want to use finalized blocks.
// TODO: allow custom rpc subscriptions to use finalized blocks.
let mut finalized_block_stream = state_chain_client.finalized_block_stream().await;
while let Some(block) = finalized_block_stream.next().await {
match state_chain_client
.base_rpc_client
.raw_rpc_client
.cf_get_tainted_transaction_events(Some(block.hash))
.await
{
Ok(events) => {
// We only want to send a notification if there have been events.
// If other chains are added, they have to be considered here as
// well.
if events.btc_events.is_empty() {
continue;
}

let block_update = BlockUpdate {
block_hash: block.hash,
block_number: block.number,
data: events,
};

if sink
.send(sc_rpc::utils::to_sub_message(&sink, &block_update))
.await
.is_err()
{
break;
}
},
Err(_) => break,
}
}
});
Ok(())
}
}

#[derive(Parser, Debug, Clone, Default)]
Expand Down
37 changes: 34 additions & 3 deletions api/lib/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -10,8 +10,8 @@ use cf_chains::{
dot::PolkadotAccountId,
evm::to_evm_address,
sol::SolAddress,
CcmChannelMetadata, ChannelRefundParametersEncoded, ChannelRefundParametersGeneric,
ForeignChain, ForeignChainAddress,
CcmChannelMetadata, Chain, ChainCrypto, ChannelRefundParametersEncoded,
ChannelRefundParametersGeneric, ForeignChain, ForeignChainAddress,
};
pub use cf_primitives::{AccountRole, Affiliates, Asset, BasisPoints, ChannelId, SemVer};
use cf_primitives::{AssetAmount, BlockNumber, DcaParameters, NetworkEnvironment};
Expand All @@ -32,7 +32,7 @@ pub mod primitives {
pub type RedemptionAmount = pallet_cf_funding::RedemptionAmount<FlipBalance>;
pub use cf_chains::{
address::{EncodedAddress, ForeignChainAddress},
CcmChannelMetadata, CcmDepositMetadata,
CcmChannelMetadata, CcmDepositMetadata, Chain, ChainCrypto,
};
}
pub use cf_chains::eth::Address as EthereumAddress;
Expand Down Expand Up @@ -159,6 +159,10 @@ impl StateChainApi {
self.state_chain_client.clone()
}

pub fn deposit_monitor_api(&self) -> Arc<impl DepositMonitorApi> {
self.state_chain_client.clone()
}

pub fn query_api(&self) -> queries::QueryApi {
queries::QueryApi { state_chain_client: self.state_chain_client.clone() }
}
Expand All @@ -176,6 +180,8 @@ impl BrokerApi for StateChainClient {
impl OperatorApi for StateChainClient {}
#[async_trait]
impl ValidatorApi for StateChainClient {}
#[async_trait]
impl DepositMonitorApi for StateChainClient {}

#[async_trait]
pub trait ValidatorApi: SimpleSubmissionApi {
Expand Down Expand Up @@ -615,6 +621,31 @@ pub fn clean_foreign_chain_address(chain: ForeignChain, address: &str) -> Result
})
}

pub type TransactionInIdFor<C> = <<C as Chain>::ChainCrypto as ChainCrypto>::TransactionInId;

#[derive(Serialize, Deserialize)]
pub enum TransactionInId {
Bitcoin(TransactionInIdFor<cf_chains::Bitcoin>),
// other variants reserved for other chains.
}

#[async_trait]
pub trait DepositMonitorApi:
SignedExtrinsicApi + StorageApi + Sized + Send + Sync + 'static
{
async fn mark_transaction_as_tainted(&self, tx_id: TransactionInId) -> Result<H256> {
match tx_id {
TransactionInId::Bitcoin(tx_id) =>
self.simple_submission_with_dry_run(
state_chain_runtime::RuntimeCall::BitcoinIngressEgress(
pallet_cf_ingress_egress::Call::mark_transaction_as_tainted { tx_id },
),
)
.await,
}
}
}

#[derive(Debug, Zeroize, PartialEq, Eq)]
/// Public and Secret keys as bytes
pub struct KeyPair {
Expand Down
1 change: 1 addition & 0 deletions state-chain/custom-rpc/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -29,6 +29,7 @@ pallet-cf-governance = { workspace = true, default-features = true }
pallet-cf-pools = { workspace = true, default-features = true }
pallet-cf-witnesser = { workspace = true, default-features = true }
pallet-cf-swapping = { workspace = true, default-features = true }
pallet-cf-ingress-egress = { workspace = true, default-features = true }

sp-api = { workspace = true, default-features = true }
sp-core = { workspace = true, default-features = true }
Expand Down
28 changes: 25 additions & 3 deletions state-chain/custom-rpc/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -52,9 +52,10 @@ use state_chain_runtime::{
PendingBroadcasts, PendingTssCeremonies, RedemptionsInfo, SolanaNonces,
},
runtime_apis::{
AuctionState, BoostPoolDepth, BoostPoolDetails, BrokerInfo, CustomRuntimeApi,
DispatchErrorWithMessage, ElectoralRuntimeApi, FailingWitnessValidators,
LiquidityProviderBoostPoolInfo, LiquidityProviderInfo, RuntimeApiPenalty, ValidatorInfo,
AuctionState, BoostPoolDepth, BoostPoolDetails, BrokerInfo, ChainAccounts,
CustomRuntimeApi, DispatchErrorWithMessage, ElectoralRuntimeApi, FailingWitnessValidators,
LiquidityProviderBoostPoolInfo, LiquidityProviderInfo, RuntimeApiPenalty,
TaintedTransactionEvents, ValidatorInfo,
},
safe_mode::RuntimeSafeMode,
Hash, NetworkFee, SolanaInstance,
Expand Down Expand Up @@ -953,6 +954,19 @@ pub trait CustomApi {
retry_duration: u32,
at: Option<state_chain_runtime::Hash>,
) -> RpcResult<()>;

#[method(name = "get_open_deposit_channels")]
fn cf_get_open_deposit_channels(
&self,
broker: Option<state_chain_runtime::AccountId>,
at: Option<state_chain_runtime::Hash>,
) -> RpcResult<ChainAccounts>;

#[method(name = "get_tainted_transaction_events")]
fn cf_get_tainted_transaction_events(
&self,
at: Option<state_chain_runtime::Hash>,
) -> RpcResult<TaintedTransactionEvents>;
}

/// An RPC extension for the state chain node.
Expand Down Expand Up @@ -1205,6 +1219,7 @@ where
cf_failed_call_arbitrum(broadcast_id: BroadcastId) -> Option<<cf_chains::Arbitrum as Chain>::Transaction>,
cf_boost_pools_depth() -> Vec<BoostPoolDepth>,
cf_pool_price(from_asset: Asset, to_asset: Asset) -> Option<PoolPriceV1>,
cf_get_open_deposit_channels(account_id: Option<state_chain_runtime::AccountId>) -> ChainAccounts,
}

pass_through_and_flatten! {
Expand Down Expand Up @@ -1742,6 +1757,13 @@ where
) -> RpcResult<Vec<u8>> {
self.with_runtime_api(at, |api, hash| api.cf_filter_votes(hash, validator, proposed_votes))
}

fn cf_get_tainted_transaction_events(
&self,
at: Option<state_chain_runtime::Hash>,
) -> RpcResult<TaintedTransactionEvents> {
self.with_runtime_api(at, |api, hash| api.cf_tainted_transaction_events(hash))
}
}

impl<C, B> CustomRpc<C, B>
Expand Down
40 changes: 38 additions & 2 deletions state-chain/runtime/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -28,7 +28,8 @@ use crate::{
runtime_decl_for_custom_runtime_api::CustomRuntimeApiV1, AuctionState, BoostPoolDepth,
BoostPoolDetails, BrokerInfo, DispatchErrorWithMessage, FailingWitnessValidators,
LiquidityProviderBoostPoolInfo, LiquidityProviderInfo, RuntimeApiPenalty,
SimulateSwapAdditionalOrder, SimulatedSwapInformation, ValidatorInfo,
SimulateSwapAdditionalOrder, SimulatedSwapInformation, TaintedTransactionEvents,
ValidatorInfo,
},
};
use cf_amm::{
Expand Down Expand Up @@ -71,8 +72,9 @@ use pallet_cf_pools::{
AskBidMap, AssetPair, HistoricalEarnedFees, OrderId, PoolLiquidity, PoolOrderbook, PoolPriceV1,
PoolPriceV2, UnidirectionalPoolDepth,
};
use runtime_apis::ChainAccounts;

use crate::chainflip::EvmLimit;
use crate::{chainflip::EvmLimit, runtime_apis::TaintedTransactionEvent};

use pallet_cf_reputation::{ExclusionList, HeartbeatQualification, ReputationPointsQualification};
use pallet_cf_swapping::SwapLegInfo;
Expand Down Expand Up @@ -2100,8 +2102,42 @@ impl_runtime_apis! {
fn cf_validate_refund_params(retry_duration: u32) -> Result<(), DispatchErrorWithMessage> {
pallet_cf_swapping::Pallet::<Runtime>::validate_refund_params(retry_duration).map_err(Into::into)
}

fn cf_get_open_deposit_channels(account_id: Option<AccountId>) -> ChainAccounts {
let btc_chain_accounts = pallet_cf_ingress_egress::DepositChannelLookup::<Runtime,BitcoinInstance>::iter_values()
.filter(|channel_details| account_id.is_none() || Some(&channel_details.owner) == account_id.as_ref())
.map(|channel_details| channel_details.deposit_channel.address)
MxmUrw marked this conversation as resolved.
Show resolved Hide resolved
.collect::<Vec<_>>();

ChainAccounts {
btc_chain_accounts
}
}

fn cf_tainted_transaction_events() -> crate::runtime_apis::TaintedTransactionEvents {
let btc_events = System::read_events_no_consensus().filter_map(|event_record| {
if let RuntimeEvent::BitcoinIngressEgress(btc_ie_event) = event_record.event {
match btc_ie_event {
pallet_cf_ingress_egress::Event::TaintedTransactionReportExpired{ account_id, tx_id } =>
Some(TaintedTransactionEvent::TaintedTransactionReportExpired{ account_id, tx_id }),
pallet_cf_ingress_egress::Event::TaintedTransactionReportReceived{ account_id, tx_id, expires_at: _ } =>
Some(TaintedTransactionEvent::TaintedTransactionReportReceived{account_id, tx_id }),
pallet_cf_ingress_egress::Event::TaintedTransactionRejected{ broadcast_id, tx_id } =>
Some(TaintedTransactionEvent::TaintedTransactionRejected{ refund_broadcast_id: broadcast_id, tx_id: tx_id.id.tx_id }),
_ => None,
}
} else {
None
}
}).collect();

TaintedTransactionEvents {
btc_events
}
}
}


impl monitoring_apis::MonitoringRuntimeApi<Block> for Runtime {

fn cf_authorities() -> AuthoritiesInfo {
Expand Down
Loading
Loading