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
//! The `DiscoveryInspector` module in `brontes-inspect` specializes in
//! identifying potential MEV transactions. It does this by looking for
//! transactions that are x standard deviations above the average priority fee
//! (where x is the std_dev_threshold paramater, set to 2 by default), or have a
//! coinbase transfer, or are private transactions based on the indexed mempool
//! transactions we have in our metadata database (s/o chainbound).
use std::{collections::HashMap, sync::Arc};
use alloy_primitives::B256;
use brontes_types::{
mev::{PossibleMev, PossibleMevTriggers},
normalized_actions::Action,
tree::BlockTree,
};
// Add new inspector that checks for Know searchers by checking the from & to
// address in the searcher eoa & searcher contract table & classify it as a know
// searcher transaction type & do the profit deltas on the tx
pub struct DiscoveryInspector {
std_dev_threshold: f64,
}
impl DiscoveryInspector {
pub fn new(std_dev_threshold: f64) -> Self {
Self { std_dev_threshold }
}
/// Find possible mev transactions in a block tree. This is done by looking
/// for transactions that are x standard deviations above the average
/// priority fee, or have a coinbase transfer, or are private transactions.
pub fn find_possible_mev(&self, tree: Arc<BlockTree<Action>>) -> HashMap<B256, PossibleMev> {
let avr_priority = tree.avg_priority_fee;
let base_fee = tree.header.base_fee_per_gas.unwrap();
tree.tx_roots
.iter()
.enumerate()
.filter_map(|(tx_idx, root)| {
let mut triggers = PossibleMevTriggers::default();
if root.gas_details.priority_fee(base_fee.into()) as f64
> avr_priority + (tree.priority_fee_std_dev * self.std_dev_threshold)
{
triggers.high_priority_fee = true;
}
if root.is_private() {
triggers.is_private = true;
}
if root.gas_details.coinbase_transfer.is_some() {
triggers.coinbase_transfer = true;
}
if triggers.was_triggered() {
Some((
root.tx_hash,
PossibleMev {
tx_hash: root.tx_hash,
tx_idx: tx_idx.try_into().unwrap(),
gas_details: root.gas_details,
triggers,
},
))
} else {
None
}
})
.collect()
}
}