Mon, Mar 9, 2026

Propagation anomalies - 2026-03-09

Detection of blocks that propagated slower than expected, attempting to find correlations with blob count.

Show code
display_sql("block_production_timeline", target_date)
View query
WITH
-- Base slots using proposer duty as the source of truth
slots AS (
    SELECT DISTINCT
        slot,
        slot_start_date_time,
        proposer_validator_index
    FROM canonical_beacon_proposer_duty
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
),

-- Proposer entity mapping
proposer_entity AS (
    SELECT
        index,
        entity
    FROM ethseer_validator_entity
    WHERE meta_network_name = 'mainnet'
),

-- Blob count per slot
blob_count AS (
    SELECT
        slot,
        uniq(blob_index) AS blob_count
    FROM canonical_beacon_blob_sidecar
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Canonical block hash (to verify MEV payload was actually used)
canonical_block AS (
    SELECT DISTINCT
        slot,
        execution_payload_block_hash
    FROM canonical_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
),

-- MEV bid timing using timestamp_ms
mev_bids AS (
    SELECT
        slot,
        slot_start_date_time,
        min(timestamp_ms) AS first_bid_timestamp_ms,
        max(timestamp_ms) AS last_bid_timestamp_ms
    FROM mev_relay_bid_trace
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
    GROUP BY slot, slot_start_date_time
),

-- MEV payload delivery - join canonical block with delivered payloads
-- Note: Use is_mev flag because ClickHouse LEFT JOIN returns 0 (not NULL) for non-matching rows
-- Get value from proposer_payload_delivered (not bid_trace, which may not have the winning block)
mev_payload AS (
    SELECT
        cb.slot,
        cb.execution_payload_block_hash AS winning_block_hash,
        1 AS is_mev,
        max(pd.value) AS winning_bid_value,
        groupArray(DISTINCT pd.relay_name) AS relay_names,
        any(pd.builder_pubkey) AS winning_builder
    FROM canonical_block cb
    GLOBAL INNER JOIN mev_relay_proposer_payload_delivered pd
        ON cb.slot = pd.slot AND cb.execution_payload_block_hash = pd.block_hash
    WHERE pd.meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
    GROUP BY cb.slot, cb.execution_payload_block_hash
),

-- Winning bid timing from bid_trace (may not exist for all MEV blocks)
winning_bid AS (
    SELECT
        bt.slot,
        bt.slot_start_date_time,
        argMin(bt.timestamp_ms, bt.event_date_time) AS winning_bid_timestamp_ms
    FROM mev_relay_bid_trace bt
    GLOBAL INNER JOIN mev_payload mp ON bt.slot = mp.slot AND bt.block_hash = mp.winning_block_hash
    WHERE bt.meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
    GROUP BY bt.slot, bt.slot_start_date_time
),

-- Block gossip timing with spread
block_gossip AS (
    SELECT
        slot,
        min(event_date_time) AS block_first_seen,
        max(event_date_time) AS block_last_seen
    FROM libp2p_gossipsub_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Column arrival timing: first arrival per column, then min/max of those
column_gossip AS (
    SELECT
        slot,
        min(first_seen) AS first_column_first_seen,
        max(first_seen) AS last_column_first_seen
    FROM (
        SELECT
            slot,
            column_index,
            min(event_date_time) AS first_seen
        FROM libp2p_gossipsub_data_column_sidecar
        WHERE meta_network_name = 'mainnet'
          AND slot_start_date_time >= '2026-03-09' AND slot_start_date_time < '2026-03-09'::date + INTERVAL 1 DAY
          AND event_date_time > '1970-01-01 00:00:01'
        GROUP BY slot, column_index
    )
    GROUP BY slot
)

SELECT
    s.slot AS slot,
    s.slot_start_date_time AS slot_start_date_time,
    pe.entity AS proposer_entity,

    -- Blob count
    coalesce(bc.blob_count, 0) AS blob_count,

    -- MEV bid timing (absolute and relative to slot start)
    fromUnixTimestamp64Milli(mb.first_bid_timestamp_ms) AS first_bid_at,
    mb.first_bid_timestamp_ms - toInt64(toUnixTimestamp(mb.slot_start_date_time)) * 1000 AS first_bid_ms,
    fromUnixTimestamp64Milli(mb.last_bid_timestamp_ms) AS last_bid_at,
    mb.last_bid_timestamp_ms - toInt64(toUnixTimestamp(mb.slot_start_date_time)) * 1000 AS last_bid_ms,

    -- Winning bid timing (from bid_trace, may be NULL if block hash not in bid_trace)
    if(wb.slot != 0, fromUnixTimestamp64Milli(wb.winning_bid_timestamp_ms), NULL) AS winning_bid_at,
    if(wb.slot != 0, wb.winning_bid_timestamp_ms - toInt64(toUnixTimestamp(s.slot_start_date_time)) * 1000, NULL) AS winning_bid_ms,

    -- MEV payload info (from proposer_payload_delivered, always present for MEV blocks)
    if(mp.is_mev = 1, mp.winning_bid_value, NULL) AS winning_bid_value,
    if(mp.is_mev = 1, mp.relay_names, []) AS winning_relays,
    if(mp.is_mev = 1, mp.winning_builder, NULL) AS winning_builder,

    -- Block gossip timing with spread
    bg.block_first_seen,
    dateDiff('millisecond', s.slot_start_date_time, bg.block_first_seen) AS block_first_seen_ms,
    bg.block_last_seen,
    dateDiff('millisecond', s.slot_start_date_time, bg.block_last_seen) AS block_last_seen_ms,
    dateDiff('millisecond', bg.block_first_seen, bg.block_last_seen) AS block_spread_ms,

    -- Column arrival timing (NULL when no blobs)
    if(coalesce(bc.blob_count, 0) = 0, NULL, cg.first_column_first_seen) AS first_column_first_seen,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', s.slot_start_date_time, cg.first_column_first_seen)) AS first_column_first_seen_ms,
    if(coalesce(bc.blob_count, 0) = 0, NULL, cg.last_column_first_seen) AS last_column_first_seen,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', s.slot_start_date_time, cg.last_column_first_seen)) AS last_column_first_seen_ms,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', cg.first_column_first_seen, cg.last_column_first_seen)) AS column_spread_ms

FROM slots s
GLOBAL LEFT JOIN proposer_entity pe ON s.proposer_validator_index = pe.index
GLOBAL LEFT JOIN blob_count bc ON s.slot = bc.slot
GLOBAL LEFT JOIN mev_bids mb ON s.slot = mb.slot
GLOBAL LEFT JOIN mev_payload mp ON s.slot = mp.slot
GLOBAL LEFT JOIN winning_bid wb ON s.slot = wb.slot
GLOBAL LEFT JOIN block_gossip bg ON s.slot = bg.slot
GLOBAL LEFT JOIN column_gossip cg ON s.slot = cg.slot

ORDER BY s.slot DESC
Show code
df = load_parquet("block_production_timeline", target_date)

# Filter to valid blocks (exclude missed slots)
df = df[df["block_first_seen_ms"].notna()]
df = df[(df["block_first_seen_ms"] >= 0) & (df["block_first_seen_ms"] < 60000)]

# Flag MEV vs local blocks
df["has_mev"] = df["winning_bid_value"].notna()
df["block_type"] = df["has_mev"].map({True: "MEV", False: "Local"})

# Get max blob count for charts
max_blobs = df["blob_count"].max()

print(f"Total valid blocks: {len(df):,}")
print(f"MEV blocks: {df['has_mev'].sum():,} ({df['has_mev'].mean()*100:.1f}%)")
print(f"Local blocks: {(~df['has_mev']).sum():,} ({(~df['has_mev']).mean()*100:.1f}%)")
Total valid blocks: 7,177
MEV blocks: 6,655 (92.7%)
Local blocks: 522 (7.3%)

Anomaly detection method

The method:

  1. Fit linear regression: block_first_seen_ms ~ blob_count
  2. Calculate residuals (actual - expected)
  3. Flag blocks with residuals > 2σ as anomalies

Points above the ±2σ band propagated slower than expected given their blob count.

Show code
# Conditional outliers: blocks slow relative to their blob count
df_anomaly = df.copy()

# Fit regression: block_first_seen_ms ~ blob_count
slope, intercept, r_value, p_value, std_err = stats.linregress(
    df_anomaly["blob_count"].astype(float), df_anomaly["block_first_seen_ms"]
)

# Calculate expected value and residual
df_anomaly["expected_ms"] = intercept + slope * df_anomaly["blob_count"].astype(float)
df_anomaly["residual_ms"] = df_anomaly["block_first_seen_ms"] - df_anomaly["expected_ms"]

# Calculate residual standard deviation
residual_std = df_anomaly["residual_ms"].std()

# Flag anomalies: residual > 2σ (unexpectedly slow)
df_anomaly["is_anomaly"] = df_anomaly["residual_ms"] > 2 * residual_std

n_anomalies = df_anomaly["is_anomaly"].sum()
pct_anomalies = n_anomalies / len(df_anomaly) * 100

# Prepare outliers dataframe
df_outliers = df_anomaly[df_anomaly["is_anomaly"]].copy()
df_outliers["relay"] = df_outliers["winning_relays"].apply(lambda x: x[0] if len(x) > 0 else "Local")
df_outliers["proposer"] = df_outliers["proposer_entity"].fillna("Unknown")
df_outliers["builder"] = df_outliers["winning_builder"].apply(
    lambda x: f"{x[:10]}..." if pd.notna(x) and x else "Local"
)

print(f"Regression: block_ms = {intercept:.1f} + {slope:.2f} × blob_count (R² = {r_value**2:.3f})")
print(f"Residual σ = {residual_std:.1f}ms")
print(f"Anomalies (>2σ slow): {n_anomalies:,} ({pct_anomalies:.1f}%)")
Regression: block_ms = 1741.1 + 16.65 × blob_count (R² = 0.011)
Residual σ = 626.0ms
Anomalies (>2σ slow): 378 (5.3%)
Show code
# Create scatter plot with regression band
x_range = np.array([0, int(max_blobs)])
y_pred = intercept + slope * x_range
y_upper = y_pred + 2 * residual_std
y_lower = y_pred - 2 * residual_std

fig = go.Figure()

# Add ±2σ band
fig.add_trace(go.Scatter(
    x=np.concatenate([x_range, x_range[::-1]]),
    y=np.concatenate([y_upper, y_lower[::-1]]),
    fill="toself",
    fillcolor="rgba(100,100,100,0.2)",
    line=dict(width=0),
    name="±2σ band",
    hoverinfo="skip",
))

# Add regression line
fig.add_trace(go.Scatter(
    x=x_range,
    y=y_pred,
    mode="lines",
    line=dict(color="white", width=2, dash="dash"),
    name="Expected",
))

# Normal points (sample to avoid overplotting)
df_normal = df_anomaly[~df_anomaly["is_anomaly"]]
if len(df_normal) > 2000:
    df_normal = df_normal.sample(2000, random_state=42)

fig.add_trace(go.Scatter(
    x=df_normal["blob_count"],
    y=df_normal["block_first_seen_ms"],
    mode="markers",
    marker=dict(size=4, color="rgba(100,150,200,0.4)"),
    name=f"Normal ({len(df_anomaly) - n_anomalies:,})",
    hoverinfo="skip",
))

# Anomaly points
fig.add_trace(go.Scatter(
    x=df_outliers["blob_count"],
    y=df_outliers["block_first_seen_ms"],
    mode="markers",
    marker=dict(
        size=7,
        color="#e74c3c",
        line=dict(width=1, color="white"),
    ),
    name=f"Anomalies ({n_anomalies:,})",
    customdata=np.column_stack([
        df_outliers["slot"],
        df_outliers["residual_ms"].round(0),
        df_outliers["relay"],
    ]),
    hovertemplate="<b>Slot %{customdata[0]}</b><br>Blobs: %{x}<br>Actual: %{y:.0f}ms<br>+%{customdata[1]}ms vs expected<br>Relay: %{customdata[2]}<extra></extra>",
))

fig.update_layout(
    margin=dict(l=60, r=30, t=30, b=60),
    xaxis=dict(title="Blob count", range=[-0.5, int(max_blobs) + 0.5]),
    yaxis=dict(title="Block first seen (ms from slot start)"),
    legend=dict(orientation="h", yanchor="bottom", y=1.02, xanchor="right", x=1),
    height=500,
)
fig.show(config={"responsive": True})

All propagation anomalies

Blocks that propagated much slower than expected given their blob count, sorted by residual (worst first).

Show code
# All anomalies table with selectable text and Lab links
if n_anomalies > 0:
    df_table = df_outliers.sort_values("residual_ms", ascending=False)[
        ["slot", "blob_count", "block_first_seen_ms", "expected_ms", "residual_ms", "proposer", "builder", "relay"]
    ].copy()
    df_table["block_first_seen_ms"] = df_table["block_first_seen_ms"].round(0).astype(int)
    df_table["expected_ms"] = df_table["expected_ms"].round(0).astype(int)
    df_table["residual_ms"] = df_table["residual_ms"].round(0).astype(int)
    
    # Build HTML table
    html = '''
    <style>
    .anomaly-table { border-collapse: collapse; width: 100%; font-family: monospace; font-size: 13px; }
    .anomaly-table th { background: #2c3e50; color: white; padding: 8px 12px; text-align: left; position: sticky; top: 0; }
    .anomaly-table td { padding: 6px 12px; border-bottom: 1px solid #eee; }
    .anomaly-table tr:hover { background: #f5f5f5; }
    .anomaly-table .num { text-align: right; }
    .anomaly-table .delta { background: #ffebee; color: #c62828; font-weight: bold; }
    .anomaly-table a { color: #1976d2; text-decoration: none; }
    .anomaly-table a:hover { text-decoration: underline; }
    .table-container { max-height: 600px; overflow-y: auto; }
    </style>
    <div class="table-container">
    <table class="anomaly-table">
    <thead>
    <tr><th>Slot</th><th class="num">Blobs</th><th class="num">Actual (ms)</th><th class="num">Expected (ms)</th><th class="num">Δ (ms)</th><th>Proposer</th><th>Builder</th><th>Relay</th></tr>
    </thead>
    <tbody>
    '''
    
    for _, row in df_table.iterrows():
        slot_link = f'<a href="https://lab.ethpandaops.io/ethereum/slots/{row["slot"]}" target="_blank">{row["slot"]}</a>'
        html += f'''<tr>
            <td>{slot_link}</td>
            <td class="num">{row["blob_count"]}</td>
            <td class="num">{row["block_first_seen_ms"]}</td>
            <td class="num">{row["expected_ms"]}</td>
            <td class="num delta">+{row["residual_ms"]}</td>
            <td>{row["proposer"]}</td>
            <td>{row["builder"]}</td>
            <td>{row["relay"]}</td>
        </tr>'''
    
    html += '</tbody></table></div>'
    display(HTML(html))
    print(f"\nTotal anomalies: {len(df_table):,}")
else:
    print("No anomalies detected.")
SlotBlobsActual (ms)Expected (ms)Δ (ms)ProposerBuilderRelay
13854144 6 5239 1841 +3398 upbit Local Local
13854696 6 4999 1841 +3158 ether.fi 0x82c466b9... EthGas
13854528 0 4874 1741 +3133 upbit Local Local
13854311 0 4260 1741 +2519 whale_0x8ebd Local Local
13854302 0 4242 1741 +2501 whale_0x8ebd Local Local
13854203 10 4337 1908 +2429 numic_lido 0x8527d16c... Ultra Sound
13851392 0 4145 1741 +2404 blockdaemon Local Local
13854261 6 4243 1841 +2402 nethermind_lido 0xb26f9666... Titan Relay
13856339 0 4082 1741 +2341 lido Local Local
13852334 0 3986 1741 +2245 coinbase Local Local
13851424 0 3948 1741 +2207 Local Local
13850200 21 4276 2091 +2185 stakefish Local Local
13855082 14 4122 1974 +2148 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13853938 0 3847 1741 +2106 whale_0x8ebd Local Local
13854082 0 3767 1741 +2026 whale_0x8ebd 0xb26f9666... Titan Relay
13854592 4 3822 1808 +2014 kraken 0xb26f9666... EthGas
13850464 3 3788 1791 +1997 binance Local Local
13854308 9 3884 1891 +1993 whale_0x8ebd 0x856b0004... BloXroute Max Profit
13855253 8 3862 1874 +1988 whale_0x8ebd 0xac23f8cc... Ultra Sound
13854620 0 3718 1741 +1977 p2porg 0x853b0078... Titan Relay
13851136 1 3733 1758 +1975 blockdaemon_lido 0x88510a78... Ultra Sound
13854234 5 3785 1824 +1961 blockdaemon 0xb4ce6162... Ultra Sound
13852096 1 3710 1758 +1952 ether.fi Local Local
13855424 0 3689 1741 +1948 0x850b00e0... BloXroute Regulated
13854145 0 3649 1741 +1908 staked.us Local Local
13855469 7 3761 1858 +1903 lido 0x8527d16c... Ultra Sound
13854236 6 3725 1841 +1884 coinbase 0x823e0146... Aestus
13854914 5 3708 1824 +1884 kraken 0xb26f9666... Titan Relay
13854154 0 3603 1741 +1862 everstake 0xb26f9666... Titan Relay
13851448 11 3781 1924 +1857 nethermind_lido 0x853b0078... Agnostic Gnosis
13854167 6 3693 1841 +1852 blockdaemon_lido 0xb26f9666... Titan Relay
13854683 0 3588 1741 +1847 ether.fi 0xb26f9666... EthGas
13854410 5 3658 1824 +1834 everstake 0x8a850621... Titan Relay
13851218 11 3738 1924 +1814 nethermind_lido 0xb26f9666... Aestus
13853148 5 3625 1824 +1801 lido Local Local
13852784 0 3531 1741 +1790 lido 0xb4ce6162... Ultra Sound
13854271 3 3578 1791 +1787 ether.fi 0xb67eaa5e... EthGas
13849786 0 3507 1741 +1766 nethermind_lido 0xb26f9666... Titan Relay
13854093 4 3559 1808 +1751 ether.fi 0xb26f9666... EthGas
13854284 5 3565 1824 +1741 stader 0x856b0004... Aestus
13854017 0 3477 1741 +1736 whale_0xdc8d 0xa9bd259c... Ultra Sound
13854599 6 3573 1841 +1732 everstake 0xb26f9666... Titan Relay
13850810 2 3484 1774 +1710 nethermind_lido 0x88a53ec4... BloXroute Regulated
13855602 0 3448 1741 +1707 everstake 0xb26f9666... Aestus
13853941 5 3531 1824 +1707 kiln 0xac23f8cc... Agnostic Gnosis
13855638 2 3478 1774 +1704 everstake 0x823e0146... Aestus
13849409 1 3456 1758 +1698 stakefish Local Local
13853423 8 3567 1874 +1693 nethermind_lido 0xb26f9666... Titan Relay
13851280 5 3513 1824 +1689 whale_0x8ebd 0x8a850621... Titan Relay
13855079 8 3561 1874 +1687 whale_0x8ebd Local Local
13855934 4 3494 1808 +1686 nethermind_lido 0xb26f9666... Titan Relay
13851386 5 3509 1824 +1685 whale_0x8ebd 0x8527d16c... Ultra Sound
13853609 0 3422 1741 +1681 everstake 0xb211df49... Aestus
13856384 9 3557 1891 +1666 whale_0x8ebd 0x8527d16c... Ultra Sound
13851238 5 3489 1824 +1665 blockdaemon_lido 0x853b0078... BloXroute Max Profit
13854662 12 3597 1941 +1656 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13853472 0 3397 1741 +1656 stakingfacilities_lido 0x852b0070... BloXroute Max Profit
13853395 1 3404 1758 +1646 whale_0x8ebd 0x8a850621... Titan Relay
13855811 5 3466 1824 +1642 blockdaemon 0x8a850621... BloXroute Regulated
13854380 5 3466 1824 +1642 whale_0x8ebd 0x853b0078... Aestus
13854172 0 3378 1741 +1637 bloxstaking 0x852b0070... BloXroute Max Profit
13855671 0 3369 1741 +1628 blockdaemon 0x8a850621... Titan Relay
13854198 1 3382 1758 +1624 kraken 0xb26f9666... EthGas
13851379 6 3460 1841 +1619 blockdaemon_lido 0x853b0078... Ultra Sound
13851611 11 3540 1924 +1616 nethermind_lido 0x88857150... Ultra Sound
13855177 4 3423 1808 +1615 lido 0x855b00e6... Ultra Sound
13849985 0 3350 1741 +1609 blockdaemon_lido 0x88857150... Ultra Sound
13853813 2 3378 1774 +1604 blockdaemon_lido 0xb26f9666... Titan Relay
13854037 0 3343 1741 +1602 whale_0x8ebd 0xb4ce6162... Ultra Sound
13853939 0 3336 1741 +1595 blockdaemon_lido 0x94e8a339... BloXroute Regulated
13854464 0 3333 1741 +1592 kraken 0xb26f9666... Titan Relay
13853206 0 3328 1741 +1587 kraken 0xb26f9666... Titan Relay
13855046 4 3392 1808 +1584 p2porg 0x850b00e0... BloXroute Regulated
13850423 6 3422 1841 +1581 whale_0x8ebd 0x857b0038... Ultra Sound
13850011 6 3419 1841 +1578 whale_0x8ebd 0x823e0146... Ultra Sound
13855867 0 3317 1741 +1576 blockdaemon 0x8a850621... Titan Relay
13854054 10 3480 1908 +1572 blockdaemon_lido 0x8527d16c... Ultra Sound
13851990 0 3313 1741 +1572 coinbase 0x88a53ec4... Aestus
13854330 1 3329 1758 +1571 kraken 0xb26f9666... Titan Relay
13851063 5 3392 1824 +1568 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13850956 0 3306 1741 +1565 blockdaemon 0xb26f9666... Titan Relay
13856169 5 3388 1824 +1564 blockdaemon 0xb67eaa5e... BloXroute Regulated
13854801 5 3387 1824 +1563 whale_0x8ebd 0xb4ce6162... Ultra Sound
13852636 3 3353 1791 +1562 blockdaemon 0xb67eaa5e... BloXroute Regulated
13854307 0 3303 1741 +1562 blockdaemon 0xb211df49... Ultra Sound
13853863 5 3378 1824 +1554 whale_0x8ebd 0x8527d16c... Ultra Sound
13853756 0 3294 1741 +1553 blockdaemon_lido 0x88857150... Ultra Sound
13854730 1 3310 1758 +1552 blockdaemon_lido 0x853b0078... Ultra Sound
13855232 5 3375 1824 +1551 coinbase 0x88857150... Ultra Sound
13854305 0 3291 1741 +1550 revolut 0xa412c4b8... Ultra Sound
13852987 0 3291 1741 +1550 luno 0xb26f9666... Titan Relay
13852912 0 3288 1741 +1547 blockdaemon 0xb26f9666... Titan Relay
13852641 0 3283 1741 +1542 whale_0x8ebd 0x852b0070... BloXroute Max Profit
13850336 16 3544 2007 +1537 nethermind_lido 0x853b0078... BloXroute Max Profit
13850885 7 3393 1858 +1535 whale_0x8ebd 0x853b0078... Aestus
13854356 15 3525 1991 +1534 blockdaemon 0x853b0078... BloXroute Regulated
13855285 0 3269 1741 +1528 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13849979 0 3265 1741 +1524 blockdaemon_lido 0xb26f9666... Titan Relay
13856388 0 3263 1741 +1522 revolut 0x853b0078... BloXroute Regulated
13855751 5 3344 1824 +1520 whale_0xdc8d 0x82c466b9... BloXroute Regulated
13854193 1 3276 1758 +1518 blockdaemon 0x88a53ec4... BloXroute Max Profit
13854159 4 3320 1808 +1512 coinbase 0x8a850621... Titan Relay
13853359 1 3270 1758 +1512 blockdaemon_lido 0x8527d16c... Ultra Sound
13850384 0 3251 1741 +1510 stakefish Local Local
13849621 5 3332 1824 +1508 blockdaemon 0xb67eaa5e... BloXroute Regulated
13855224 6 3348 1841 +1507 coinbase 0xb4ce6162... Ultra Sound
13855304 1 3264 1758 +1506 numic_lido 0x853b0078... Agnostic Gnosis
13855145 11 3430 1924 +1506 blockdaemon 0x8a850621... Titan Relay
13852322 5 3330 1824 +1506 whale_0x8ebd 0xb7c5e609... BloXroute Max Profit
13853291 1 3262 1758 +1504 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13853953 4 3311 1808 +1503 everstake 0x856b0004... BloXroute Max Profit
13853168 5 3322 1824 +1498 revolut 0x853b0078... BloXroute Regulated
13854636 5 3320 1824 +1496 everstake 0x8db2a99d... Flashbots
13851259 6 3336 1841 +1495 blockdaemon_lido 0xb4ce6162... Ultra Sound
13849377 0 3236 1741 +1495 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13850271 12 3434 1941 +1493 blockdaemon 0x8db2a99d... BloXroute Max Profit
13853898 4 3300 1808 +1492 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13850300 0 3231 1741 +1490 0x88a53ec4... BloXroute Regulated
13851490 6 3329 1841 +1488 whale_0x8ebd 0x8a850621... Titan Relay
13849385 0 3226 1741 +1485 blockdaemon 0x88a53ec4... BloXroute Regulated
13854067 0 3222 1741 +1481 everstake 0x8db2a99d... Aestus
13851106 2 3254 1774 +1480 revolut 0x8527d16c... Ultra Sound
13850473 0 3220 1741 +1479 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
13854697 7 3336 1858 +1478 nethermind_lido 0x853b0078... BloXroute Max Profit
13850761 4 3286 1808 +1478 blockdaemon_lido 0xac23f8cc... BloXroute Max Profit
13853839 5 3302 1824 +1478 blockdaemon 0x88857150... Ultra Sound
13853342 6 3315 1841 +1474 blockdaemon 0xb26f9666... Titan Relay
13854680 3 3265 1791 +1474 whale_0x8ebd 0x8527d16c... Ultra Sound
13849747 3 3264 1791 +1473 blockdaemon 0x8527d16c... Ultra Sound
13855453 5 3297 1824 +1473 revolut 0xb26f9666... Titan Relay
13852416 5 3296 1824 +1472 p2porg 0xb26f9666... Aestus
13851957 2 3246 1774 +1472 bitstamp 0x855b00e6... BloXroute Max Profit
13850635 3 3262 1791 +1471 whale_0xdc8d 0x85fb0503... BloXroute Max Profit
13850317 0 3212 1741 +1471 0x8527d16c... Ultra Sound
13854460 5 3292 1824 +1468 upbit 0xb4ce6162... Ultra Sound
13850285 4 3273 1808 +1465 luno 0x88857150... Ultra Sound
13854576 0 3205 1741 +1464 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13855223 0 3204 1741 +1463 blockscape_lido 0x8db2a99d... Ultra Sound
13854758 0 3204 1741 +1463 blockdaemon_lido 0xb67eaa5e... Titan Relay
13854320 0 3200 1741 +1459 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13849460 1 3216 1758 +1458 revolut 0x850b00e0... BloXroute Regulated
13851770 5 3282 1824 +1458 p2porg 0x8db2a99d... Flashbots
13849853 4 3265 1808 +1457 whale_0xdc8d 0xb26f9666... Titan Relay
13851954 7 3312 1858 +1454 bitstamp 0xb67eaa5e... BloXroute Regulated
13851538 3 3245 1791 +1454 revolut 0x850b00e0... BloXroute Regulated
13856034 15 3443 1991 +1452 kiln 0x855b00e6... BloXroute Max Profit
13852327 5 3275 1824 +1451 whale_0x8ebd 0xac23f8cc... Aestus
13850491 8 3324 1874 +1450 blockdaemon 0x85fb0503... BloXroute Regulated
13854197 6 3290 1841 +1449 whale_0x8ebd 0x856b0004... BloXroute Max Profit
13854665 2 3223 1774 +1449 kiln 0xac23f8cc... Aestus
13854192 0 3188 1741 +1447 blockscape_lido 0xb26f9666... Titan Relay
13853355 0 3187 1741 +1446 lido 0x88a53ec4... BloXroute Max Profit
13850255 6 3286 1841 +1445 nethermind_lido 0x850b00e0... BloXroute Max Profit
13853848 1 3202 1758 +1444 nethermind_lido 0xac23f8cc... Flashbots
13854442 0 3179 1741 +1438 coinbase 0x88857150... Ultra Sound
13855810 1 3195 1758 +1437 nethermind_lido 0x823e0146... Ultra Sound
13853462 6 3276 1841 +1435 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13853967 3 3224 1791 +1433 everstake 0x8db2a99d... Aestus
13854149 9 3321 1891 +1430 p2porg 0x850b00e0... BloXroute Regulated
13855636 4 3237 1808 +1429 blockdaemon 0x823e0146... Ultra Sound
13853683 3 3219 1791 +1428 lido 0x823e0146... BloXroute Max Profit
13854595 5 3251 1824 +1427 stakingfacilities_lido 0xb4ce6162... Ultra Sound
13854232 1 3184 1758 +1426 kraken 0xb26f9666... Titan Relay
13852546 0 3167 1741 +1426 p2porg 0x850b00e0... BloXroute Regulated
13855393 5 3250 1824 +1426 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13851683 5 3249 1824 +1425 bitstamp 0x88a53ec4... BloXroute Max Profit
13855743 0 3162 1741 +1421 whale_0xdc8d 0xb26f9666... Titan Relay
13855417 6 3259 1841 +1418 revolut 0x88857150... Ultra Sound
13851819 1 3175 1758 +1417 everstake 0x823e0146... Aestus
13852681 0 3157 1741 +1416 nethermind_lido 0x83bee517... BloXroute Max Profit
13855414 0 3156 1741 +1415 blockdaemon 0xb26f9666... Titan Relay
13851330 21 3504 2091 +1413 blockdaemon_lido 0x8527d16c... Ultra Sound
13850974 6 3254 1841 +1413 revolut 0xb26f9666... Titan Relay
13850517 0 3154 1741 +1413 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13854633 1 3170 1758 +1412 ether.fi 0xb26f9666... EthGas
13853405 0 3153 1741 +1412 lido 0xb67eaa5e... BloXroute Regulated
13852644 0 3153 1741 +1412 nethermind_lido 0x856b0004... BloXroute Max Profit
13854571 8 3286 1874 +1412 revolut 0x853b0078... Ultra Sound
13856078 11 3335 1924 +1411 whale_0xdc8d 0x856b0004... Ultra Sound
13850829 9 3301 1891 +1410 blockdaemon 0x855b00e6... BloXroute Max Profit
13852092 3 3201 1791 +1410 everstake 0x856b0004... Aestus
13855261 0 3151 1741 +1410 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13855639 13 3366 1957 +1409 whale_0xdc8d 0x8db2a99d... Ultra Sound
13854649 1 3162 1758 +1404 0xb26f9666... Titan Relay
13852834 6 3242 1841 +1401 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13854517 0 3142 1741 +1401 whale_0x8ebd 0x852b0070... BloXroute Max Profit
13853361 11 3325 1924 +1401 revolut 0xb26f9666... Titan Relay
13849941 2 3175 1774 +1401 whale_0x8ebd 0x823e0146... Flashbots
13852367 1 3158 1758 +1400 ether.fi 0xb26f9666... Titan Relay
13854644 0 3141 1741 +1400 upbit 0x8a850621... Titan Relay
13855506 7 3257 1858 +1399 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13853336 6 3240 1841 +1399 solo_stakers 0x88857150... Ultra Sound
13850851 7 3256 1858 +1398 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13855512 0 3139 1741 +1398 nethermind_lido 0xb7c5c39a... BloXroute Max Profit
13855084 8 3271 1874 +1397 whale_0x8ebd 0x8db2a99d... Ultra Sound
13854038 5 3221 1824 +1397 figment 0x856b0004... BloXroute Max Profit
13850453 5 3219 1824 +1395 blockdaemon_lido 0xb67eaa5e... Titan Relay
13853733 2 3169 1774 +1395 kiln 0x93b11bec... Flashbots
13855300 0 3135 1741 +1394 solo_stakers 0x823e0146... Flashbots
13849867 3 3184 1791 +1393 coinbase 0x88a53ec4... Aestus
13856004 0 3134 1741 +1393 blockdaemon_lido 0x852b0070... BloXroute Max Profit
13854414 4 3199 1808 +1391 gateway.fmas_lido 0x853b0078... BloXroute Max Profit
13849333 1 3148 1758 +1390 gateway.fmas_lido 0x853b0078... Agnostic Gnosis
13852105 0 3131 1741 +1390 nethermind_lido 0x850b00e0... BloXroute Max Profit
13853749 1 3147 1758 +1389 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13854371 1 3146 1758 +1388 kiln 0x82c466b9... Flashbots
13853121 1 3146 1758 +1388 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13856027 0 3129 1741 +1388 kiln 0xb26f9666... Aestus
13854122 6 3227 1841 +1386 kraken 0xb26f9666... EthGas
13849674 5 3209 1824 +1385 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13852500 11 3308 1924 +1384 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13855797 5 3207 1824 +1383 blockdaemon_lido 0x8527d16c... Ultra Sound
13856152 2 3157 1774 +1383 figment 0x855b00e6... BloXroute Max Profit
13855105 0 3122 1741 +1381 0x851b00b1... Flashbots
13855097 7 3237 1858 +1379 everstake 0x856b0004... BloXroute Max Profit
13851543 1 3137 1758 +1379 p2porg 0x88a53ec4... BloXroute Regulated
13854695 5 3203 1824 +1379 0x88a53ec4... Aestus
13854296 7 3236 1858 +1378 everstake 0xb26f9666... Aestus
13854440 8 3252 1874 +1378 kiln 0x850b00e0... BloXroute Max Profit
13849815 7 3234 1858 +1376 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13855284 0 3117 1741 +1376 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13855272 2 3147 1774 +1373 kraken 0xb26f9666... EthGas
13854115 10 3277 1908 +1369 nethermind_lido 0x853b0078... BloXroute Max Profit
13854362 6 3210 1841 +1369 stakingfacilities_lido 0x8527d16c... Ultra Sound
13850645 1 3125 1758 +1367 blockdaemon_lido 0x85fb0503... BloXroute Max Profit
13852579 5 3191 1824 +1367 gateway.fmas_lido 0x8db2a99d... Ultra Sound
13852632 11 3289 1924 +1365 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13855964 5 3188 1824 +1364 p2porg 0x850b00e0... BloXroute Regulated
13854579 9 3252 1891 +1361 ether.fi 0x8db2a99d... BloXroute Max Profit
13852112 0 3102 1741 +1361 p2porg 0x8527d16c... Ultra Sound
13854068 6 3201 1841 +1360 figment 0x850b00e0... BloXroute Max Profit
13855251 2 3134 1774 +1360 kraken 0xb26f9666... EthGas
13854328 9 3250 1891 +1359 figment 0xb26f9666... Titan Relay
13850546 5 3182 1824 +1358 p2porg 0x8db2a99d... Flashbots
13855854 1 3112 1758 +1354 whale_0x8ebd 0xb4ce6162... Ultra Sound
13851188 6 3192 1841 +1351 p2porg 0x850b00e0... BloXroute Regulated
13854091 4 3155 1808 +1347 0xb26f9666... EthGas
13854252 5 3171 1824 +1347 blockdaemon 0x8a850621... Titan Relay
13850371 14 3320 1974 +1346 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13851064 6 3185 1841 +1344 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13854227 2 3117 1774 +1343 bitstamp 0x855b00e6... BloXroute Max Profit
13850593 5 3165 1824 +1341 everstake 0xb4ce6162... Ultra Sound
13854104 1 3096 1758 +1338 lido 0x853b0078... Agnostic Gnosis
13851315 6 3178 1841 +1337 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13851109 2 3111 1774 +1337 whale_0x8ebd 0x88a53ec4... Aestus
13854596 5 3159 1824 +1335 stakingfacilities_lido 0x8db2a99d... BloXroute Max Profit
13855309 5 3159 1824 +1335 kiln 0x853b0078... Agnostic Gnosis
13854623 7 3192 1858 +1334 0x856b0004... BloXroute Max Profit
13851232 3 3125 1791 +1334 whale_0x8ebd 0xb26f9666... Titan Relay
13849222 0 3074 1741 +1333 everstake 0x852b0070... BloXroute Max Profit
13853139 5 3156 1824 +1332 bitstamp 0x856b0004... BloXroute Max Profit
13855922 0 3072 1741 +1331 p2porg 0x856b0004... Agnostic Gnosis
13849234 0 3071 1741 +1330 coinbase 0xb67eaa5e... Aestus
13854156 13 3287 1957 +1330 blockdaemon_lido 0x853b0078... BloXroute Max Profit
13855101 1 3087 1758 +1329 0xb26f9666... BloXroute Max Profit
13854121 0 3070 1741 +1329 blockdaemon 0xb26f9666... Titan Relay
13856148 0 3070 1741 +1329 p2porg 0x851b00b1... BloXroute Max Profit
13852371 0 3070 1741 +1329 figment 0xb67eaa5e... Ultra Sound
13852664 1 3086 1758 +1328 whale_0xedc6 0x856b0004... Ultra Sound
13855265 3 3119 1791 +1328 kraken 0xb26f9666... Titan Relay
13854310 5 3152 1824 +1328 figment 0xb26f9666... Titan Relay
13856129 9 3217 1891 +1326 stakingfacilities_lido 0x853b0078... Agnostic Gnosis
13852594 6 3167 1841 +1326 p2porg 0x88857150... Ultra Sound
13854618 2 3099 1774 +1325 p2porg 0x856b0004... Agnostic Gnosis
13852908 1 3082 1758 +1324 p2porg 0x850b00e0... Flashbots
13850478 0 3065 1741 +1324 p2porg 0x85fb0503... BloXroute Regulated
13854299 5 3148 1824 +1324 0xb26f9666... BloXroute Max Profit
13852600 10 3230 1908 +1322 blockdaemon 0xb67eaa5e... BloXroute Regulated
13855785 0 3063 1741 +1322 whale_0x8ebd 0x8527d16c... Ultra Sound
13851194 2 3096 1774 +1322 whale_0x8ebd 0x8db2a99d... Aestus
13854639 7 3179 1858 +1321 ether.fi 0x8527d16c... Ultra Sound
13852389 6 3162 1841 +1321 whale_0x8ebd 0x853b0078... Aestus
13853833 1 3078 1758 +1320 p2porg 0x856b0004... Aestus
13850547 0 3061 1741 +1320 ether.fi 0xb26f9666... Titan Relay
13853042 0 3061 1741 +1320 p2porg 0xb4ce6162... Ultra Sound
13851591 2 3093 1774 +1319 0xac23f8cc... Flashbots
13850392 0 3059 1741 +1318 coinbase 0xac23f8cc... Aestus
13853136 10 3225 1908 +1317 stakely_lido 0x88857150... Ultra Sound
13854981 11 3241 1924 +1317 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13853304 5 3139 1824 +1315 everstake 0x853b0078... BloXroute Max Profit
13855831 6 3155 1841 +1314 ether.fi 0x8527d16c... Ultra Sound
13852591 16 3321 2007 +1314 revolut 0xb26f9666... Titan Relay
13851787 6 3154 1841 +1313 p2porg 0xb26f9666... Titan Relay
13849285 5 3136 1824 +1312 kiln 0xb67eaa5e... BloXroute Regulated
13849512 0 3051 1741 +1310 ether.fi 0xb26f9666... Titan Relay
13856380 1 3067 1758 +1309 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13852803 4 3116 1808 +1308 whale_0x8ebd 0x8db2a99d... Ultra Sound
13853899 0 3049 1741 +1308 whale_0x8ebd 0xb7c5c39a... BloXroute Max Profit
13854016 0 3049 1741 +1308 everstake 0x88a53ec4... BloXroute Regulated
13853643 1 3064 1758 +1306 ether.fi 0xb26f9666... Titan Relay
13856003 6 3147 1841 +1306 whale_0x8ebd 0xb26f9666... Titan Relay
13855299 6 3146 1841 +1305 kiln 0x853b0078... Agnostic Gnosis
13852622 0 3044 1741 +1303 whale_0x8ebd 0x8527d16c... Ultra Sound
13851768 0 3044 1741 +1303 ether.fi 0x823e0146... Ultra Sound
13855200 5 3127 1824 +1303 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13849758 1 3060 1758 +1302 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13854617 0 3043 1741 +1302 p2porg 0x853b0078... Agnostic Gnosis
13852835 1 3058 1758 +1300 p2porg 0xb67eaa5e... Aestus
13852669 0 3041 1741 +1300 0xb26f9666... BloXroute Max Profit
13853006 4 3104 1808 +1296 ether.fi 0x856b0004... BloXroute Max Profit
13855160 1 3054 1758 +1296 coinbase 0x823e0146... BloXroute Max Profit
13856223 12 3236 1941 +1295 p2porg 0x850b00e0... BloXroute Regulated
13852354 5 3119 1824 +1295 whale_0x8ebd 0x8527d16c... Ultra Sound
13850650 2 3068 1774 +1294 nethermind_lido 0x85fb0503... BloXroute Max Profit
13851512 12 3234 1941 +1293 kiln 0xb67eaa5e... BloXroute Max Profit
13854221 9 3184 1891 +1293 coinbase 0x857b0038... Ultra Sound
13853983 3 3084 1791 +1293 kiln 0x855b00e6... BloXroute Max Profit
13852453 0 3034 1741 +1293 ether.fi 0xb26f9666... Titan Relay
13855297 2 3067 1774 +1293 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13854563 15 3283 1991 +1292 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13853624 0 3033 1741 +1292 p2porg 0x8db2a99d... Flashbots
13853184 5 3116 1824 +1292 everstake 0x8db2a99d... Flashbots
13853960 0 3031 1741 +1290 everstake 0x8527d16c... Ultra Sound
13850088 5 3114 1824 +1290 kiln 0xb67eaa5e... BloXroute Max Profit
13849482 7 3146 1858 +1288 kiln 0x88a53ec4... BloXroute Max Profit
13851319 4 3096 1808 +1288 kiln 0x855b00e6... BloXroute Max Profit
13851672 1 3046 1758 +1288 whale_0xedc6 0x856b0004... Ultra Sound
13853608 0 3029 1741 +1288 kiln 0x852b0070... BloXroute Max Profit
13852764 0 3028 1741 +1287 kiln 0xb26f9666... Titan Relay
13852125 5 3111 1824 +1287 whale_0x7791 0x8527d16c... Ultra Sound
13853726 0 3027 1741 +1286 kiln 0x852b0070... BloXroute Max Profit
13853765 1 3043 1758 +1285 kiln 0x88a53ec4... BloXroute Regulated
13853932 4 3092 1808 +1284 kiln 0x88a53ec4... BloXroute Regulated
13851312 3 3075 1791 +1284 coinbase 0x8527d16c... Ultra Sound
13851467 8 3158 1874 +1284 ether.fi 0xb67eaa5e... BloXroute Regulated
13852582 4 3091 1808 +1283 whale_0xedc6 0xb67eaa5e... Ultra Sound
13851917 3 3073 1791 +1282 p2porg 0x823e0146... Ultra Sound
13849703 3 3073 1791 +1282 ether.fi 0x856b0004... Aestus
13852411 0 3023 1741 +1282 figment 0x805e28e6... BloXroute Max Profit
13856211 1 3039 1758 +1281 ether.fi 0x823e0146... Flashbots
13851900 8 3155 1874 +1281 0x856b0004... Ultra Sound
13852114 0 3021 1741 +1280 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13851541 0 3021 1741 +1280 ether.fi 0x855b00e6... BloXroute Max Profit
13852706 0 3020 1741 +1279 p2porg 0x8db2a99d... Ultra Sound
13849967 3 3069 1791 +1278 kiln 0xb67eaa5e... BloXroute Regulated
13855839 4 3084 1808 +1276 p2porg 0x856b0004... BloXroute Max Profit
13853299 5 3100 1824 +1276 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13853677 0 3016 1741 +1275 figment 0x856b0004... Aestus
13850766 5 3098 1824 +1274 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13851989 7 3131 1858 +1273 whale_0x7791 0x8527d16c... Ultra Sound
13851775 0 3014 1741 +1273 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13855282 0 3014 1741 +1273 everstake 0x856b0004... BloXroute Max Profit
13851305 8 3147 1874 +1273 p2porg 0xb26f9666... BloXroute Regulated
13854383 5 3097 1824 +1273 coinbase 0x855b00e6... BloXroute Max Profit
13853887 5 3095 1824 +1271 kiln 0x8527d16c... Ultra Sound
13853050 1 3027 1758 +1269 kiln 0x853b0078... BloXroute Max Profit
13850744 1 3027 1758 +1269 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13852562 0 3010 1741 +1269 p2porg 0x8527d16c... Ultra Sound
13854005 0 3010 1741 +1269 kiln 0x8db2a99d... Flashbots
13852303 1 3026 1758 +1268 whale_0xdd6c 0x853b0078... Aestus
13852705 9 3159 1891 +1268 blockdaemon_lido 0x853b0078... BloXroute Max Profit
13855901 0 3008 1741 +1267 solo_stakers 0xb26f9666... BloXroute Max Profit
13854990 7 3123 1858 +1265 p2porg 0x853b0078... Ultra Sound
13852876 0 3006 1741 +1265 coinbase 0x851b00b1... BloXroute Max Profit
13854373 6 3105 1841 +1264 stakingfacilities_lido 0x8527d16c... Ultra Sound
13849458 0 3005 1741 +1264 ether.fi 0xb26f9666... Titan Relay
13851955 6 3104 1841 +1263 stakingfacilities_lido 0x88857150... Ultra Sound
13853497 3 3054 1791 +1263 everstake 0x8db2a99d... Flashbots
13851443 5 3087 1824 +1263 0x8db2a99d... Ultra Sound
13855043 10 3170 1908 +1262 everstake 0x88a53ec4... BloXroute Regulated
13850381 0 3003 1741 +1262 p2porg 0x8527d16c... Ultra Sound
13851692 0 3003 1741 +1262 p2porg 0x8527d16c... Ultra Sound
13851915 6 3102 1841 +1261 figment 0x856b0004... Aestus
13851357 6 3102 1841 +1261 whale_0x8ebd 0x823e0146... Flashbots
13852511 0 3002 1741 +1261 kiln 0xba003e46... BloXroute Max Profit
13853289 1 3016 1758 +1258 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13850709 0 2999 1741 +1258 everstake 0x88857150... Ultra Sound
13849780 0 2999 1741 +1258 0xb26f9666... BloXroute Max Profit
13852964 7 3115 1858 +1257 p2porg 0xb26f9666... BloXroute Regulated
13851789 1 3015 1758 +1257 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13852033 1 3015 1758 +1257 stakingfacilities_lido 0x8db2a99d... Flashbots
13851352 2 3030 1774 +1256 whale_0x8ebd 0x8db2a99d... Ultra Sound
13850245 1 3013 1758 +1255 p2porg 0xb67eaa5e... Aestus
13850201 0 2996 1741 +1255 ether.fi Local Local
13850558 0 2996 1741 +1255 kiln 0xb26f9666... Aestus
13853080 4 3061 1808 +1253 whale_0x7791 0x853b0078... Agnostic Gnosis
13853143 3 3044 1791 +1253 p2porg 0x8db2a99d... Ultra Sound
13851423 0 2994 1741 +1253 kiln 0x852b0070... Aestus
Total anomalies: 378

Anomalies by relay

Which relays produce the most propagation anomalies?

Show code
if n_anomalies > 0:
    # Count anomalies by relay
    relay_counts = df_outliers["relay"].value_counts().reset_index()
    relay_counts.columns = ["relay", "anomaly_count"]
    
    # Get total blocks per relay for context
    df_anomaly["relay"] = df_anomaly["winning_relays"].apply(lambda x: x[0] if len(x) > 0 else "Local")
    total_by_relay = df_anomaly.groupby("relay").size().reset_index(name="total_blocks")
    
    relay_counts = relay_counts.merge(total_by_relay, on="relay")
    relay_counts["anomaly_rate"] = relay_counts["anomaly_count"] / relay_counts["total_blocks"] * 100
    relay_counts = relay_counts.sort_values("anomaly_rate", ascending=True)
    
    fig = go.Figure()
    
    fig.add_trace(go.Bar(
        y=relay_counts["relay"],
        x=relay_counts["anomaly_count"],
        orientation="h",
        marker_color="#e74c3c",
        text=relay_counts.apply(lambda r: f"{r['anomaly_count']}/{r['total_blocks']} ({r['anomaly_rate']:.1f}%)", axis=1),
        textposition="outside",
        hovertemplate="<b>%{y}</b><br>Anomalies: %{x}<br>Total blocks: %{customdata[0]:,}<br>Rate: %{customdata[1]:.1f}%<extra></extra>",
        customdata=np.column_stack([relay_counts["total_blocks"], relay_counts["anomaly_rate"]]),
    ))
    
    fig.update_layout(
        margin=dict(l=150, r=80, t=30, b=60),
        xaxis=dict(title="Number of anomalies"),
        yaxis=dict(title=""),
        height=350,
    )
    fig.show(config={"responsive": True})

Anomalies by proposer entity

Which proposer entities produce the most propagation anomalies?

Show code
if n_anomalies > 0:
    # Count anomalies by proposer entity
    proposer_counts = df_outliers["proposer"].value_counts().reset_index()
    proposer_counts.columns = ["proposer", "anomaly_count"]
    
    # Get total blocks per proposer for context
    df_anomaly["proposer"] = df_anomaly["proposer_entity"].fillna("Unknown")
    total_by_proposer = df_anomaly.groupby("proposer").size().reset_index(name="total_blocks")
    
    proposer_counts = proposer_counts.merge(total_by_proposer, on="proposer")
    proposer_counts["anomaly_rate"] = proposer_counts["anomaly_count"] / proposer_counts["total_blocks"] * 100
    
    # Show top 15 by anomaly count
    proposer_counts = proposer_counts.nlargest(15, "anomaly_rate").sort_values("anomaly_rate", ascending=True)
    
    fig = go.Figure()
    
    fig.add_trace(go.Bar(
        y=proposer_counts["proposer"],
        x=proposer_counts["anomaly_count"],
        orientation="h",
        marker_color="#e74c3c",
        text=proposer_counts.apply(lambda r: f"{r['anomaly_count']}/{r['total_blocks']} ({r['anomaly_rate']:.1f}%)", axis=1),
        textposition="outside",
        hovertemplate="<b>%{y}</b><br>Anomalies: %{x}<br>Total blocks: %{customdata[0]:,}<br>Rate: %{customdata[1]:.1f}%<extra></extra>",
        customdata=np.column_stack([proposer_counts["total_blocks"], proposer_counts["anomaly_rate"]]),
    ))
    
    fig.update_layout(
        margin=dict(l=150, r=80, t=30, b=60),
        xaxis=dict(title="Number of anomalies"),
        yaxis=dict(title=""),
        height=450,
    )
    fig.show(config={"responsive": True})

Anomalies by builder

Which builders produce the most propagation anomalies? (Truncated pubkeys shown for MEV blocks)

Show code
if n_anomalies > 0:
    # Count anomalies by builder
    builder_counts = df_outliers["builder"].value_counts().reset_index()
    builder_counts.columns = ["builder", "anomaly_count"]
    
    # Get total blocks per builder for context
    df_anomaly["builder"] = df_anomaly["winning_builder"].apply(
        lambda x: f"{x[:10]}..." if pd.notna(x) and x else "Local"
    )
    total_by_builder = df_anomaly.groupby("builder").size().reset_index(name="total_blocks")
    
    builder_counts = builder_counts.merge(total_by_builder, on="builder")
    builder_counts["anomaly_rate"] = builder_counts["anomaly_count"] / builder_counts["total_blocks"] * 100
    
    # Show top 15 by anomaly count
    builder_counts = builder_counts.nlargest(15, "anomaly_rate").sort_values("anomaly_rate", ascending=True)
    
    fig = go.Figure()
    
    fig.add_trace(go.Bar(
        y=builder_counts["builder"],
        x=builder_counts["anomaly_count"],
        orientation="h",
        marker_color="#e74c3c",
        text=builder_counts.apply(lambda r: f"{r['anomaly_count']}/{r['total_blocks']} ({r['anomaly_rate']:.1f}%)", axis=1),
        textposition="outside",
        hovertemplate="<b>%{y}</b><br>Anomalies: %{x}<br>Total blocks: %{customdata[0]:,}<br>Rate: %{customdata[1]:.1f}%<extra></extra>",
        customdata=np.column_stack([builder_counts["total_blocks"], builder_counts["anomaly_rate"]]),
    ))
    
    fig.update_layout(
        margin=dict(l=150, r=80, t=30, b=60),
        xaxis=dict(title="Number of anomalies"),
        yaxis=dict(title=""),
        height=450,
    )
    fig.show(config={"responsive": True})

Anomalies by blob count

Are anomalies more common at certain blob counts?

Show code
if n_anomalies > 0:
    # Count anomalies by blob count
    blob_anomalies = df_outliers.groupby("blob_count").size().reset_index(name="anomaly_count")
    blob_total = df_anomaly.groupby("blob_count").size().reset_index(name="total_blocks")
    
    blob_stats = blob_total.merge(blob_anomalies, on="blob_count", how="left").fillna(0)
    blob_stats["anomaly_count"] = blob_stats["anomaly_count"].astype(int)
    blob_stats["anomaly_rate"] = blob_stats["anomaly_count"] / blob_stats["total_blocks"] * 100
    
    fig = go.Figure()
    
    fig.add_trace(go.Bar(
        x=blob_stats["blob_count"],
        y=blob_stats["anomaly_count"],
        marker_color="#e74c3c",
        hovertemplate="<b>%{x} blobs</b><br>Anomalies: %{y}<br>Total: %{customdata[0]:,}<br>Rate: %{customdata[1]:.1f}%<extra></extra>",
        customdata=np.column_stack([blob_stats["total_blocks"], blob_stats["anomaly_rate"]]),
    ))
    
    fig.update_layout(
        margin=dict(l=60, r=30, t=30, b=60),
        xaxis=dict(title="Blob count", dtick=1),
        yaxis=dict(title="Number of anomalies"),
        height=350,
    )
    fig.show(config={"responsive": True})