Wed, Mar 18, 2026

Propagation anomalies - 2026-03-18

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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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-18' AND slot_start_date_time < '2026-03-18'::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,183
MEV blocks: 6,610 (92.0%)
Local blocks: 573 (8.0%)

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 = 1825.4 + 16.28 × blob_count (R² = 0.009)
Residual σ = 648.0ms
Anomalies (>2σ slow): 349 (4.9%)
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
13915328 0 5817 1825 +3992 blockdaemon_lido Local Local
13914566 0 5478 1825 +3653 whale_0xba8f Local Local
13917451 19 5305 2135 +3170 ether.fi 0x8a850621... EthGas
13914492 0 4474 1825 +2649 whale_0x8ebd Local Local
13918927 0 4392 1825 +2567 whale_0x8ebd 0xa9bd259c... Ultra Sound
13921135 0 4285 1825 +2460 whale_0x1980 Local Local
13916960 1 4278 1842 +2436 solo_stakers Local Local
13919731 0 4242 1825 +2417 whale_0x8ebd Local Local
13920463 0 4235 1825 +2410 whale_0x8ebd Local Local
13918740 0 4184 1825 +2359 whale_0x8ebd Local Local
13918400 0 4174 1825 +2349 blockdaemon Local Local
13920600 0 4173 1825 +2348 whale_0x8ebd Local Local
13914516 0 4159 1825 +2334 nethermind_lido Local Local
13914304 0 4125 1825 +2300 solo_stakers Local Local
13916868 0 4116 1825 +2291 whale_0x8ebd Local Local
13920223 0 3952 1825 +2127 blockdaemon 0x8a850621... Titan Relay
13919970 0 3935 1825 +2110 solo_stakers Local Local
13919775 0 3920 1825 +2095 whale_0x8b0d Local Local
13919947 6 3993 1923 +2070 whale_0x8ebd 0x8527d16c... Ultra Sound
13920032 0 3850 1825 +2025 whale_0x8ebd 0xb4ce6162... Ultra Sound
13917631 5 3931 1907 +2024 coinbase 0x8db2a99d... Aestus
13915648 0 3838 1825 +2013 whale_0xdc8d Local Local
13920381 0 3833 1825 +2008 whale_0x967a Local Local
13915968 7 3940 1939 +2001 stakefish 0x88857150... Ultra Sound
13920551 1 3841 1842 +1999 coinbase 0x823e0146... Ultra Sound
13919978 0 3813 1825 +1988 Local Local
13920141 0 3797 1825 +1972 whale_0x81fd 0x8a850621... Titan Relay
13919849 1 3813 1842 +1971 nethermind_lido 0xb26f9666... Aestus
13919865 2 3826 1858 +1968 whale_0x8ebd 0x8527d16c... Ultra Sound
13914958 1 3803 1842 +1961 blockdaemon 0x8527d16c... Ultra Sound
13914550 0 3767 1825 +1942 coinbase 0xb4ce6162... Ultra Sound
13918561 5 3844 1907 +1937 ether.fi 0xb26f9666... EthGas
13918639 0 3757 1825 +1932 coinbase 0x93b11bec... Agnostic Gnosis
13919991 3 3802 1874 +1928 everstake 0x8527d16c... Ultra Sound
13920291 3 3795 1874 +1921 ether.fi 0x82c466b9... EthGas
13918720 0 3732 1825 +1907 stakefish Local Local
13920256 1 3738 1842 +1896 everstake 0x857b0038... Ultra Sound
13917461 21 4057 2167 +1890 solo_stakers 0x857b0038... Ultra Sound
13918047 10 3859 1988 +1871 whale_0x8ebd 0x8527d16c... Ultra Sound
13919185 3 3744 1874 +1870 whale_0xdc8d 0xb26f9666... Titan Relay
13918413 5 3762 1907 +1855 whale_0xdc8d 0xb26f9666... Titan Relay
13914987 1 3689 1842 +1847 kiln 0xac23f8cc... Ultra Sound
13915392 1 3680 1842 +1838 0x853b0078... Ultra Sound
13919151 7 3765 1939 +1826 whale_0x2d2a 0x8527d16c... Ultra Sound
13914274 5 3731 1907 +1824 rocketpool Local Local
13914138 0 3644 1825 +1819 whale_0x8ebd Local Local
13914959 5 3716 1907 +1809 whale_0x8ebd Local Local
13914453 0 3619 1825 +1794 whale_0x8ebd 0xb4ce6162... Ultra Sound
13914065 5 3698 1907 +1791 everstake 0xb26f9666... Aestus
13919948 8 3742 1956 +1786 whale_0x8ebd 0x88857150... Ultra Sound
13918663 5 3689 1907 +1782 whale_0x8ebd 0x8a850621... Titan Relay
13914995 0 3606 1825 +1781 kiln 0xb26f9666... Titan Relay
13919914 11 3780 2004 +1776 blockdaemon 0xb4ce6162... Ultra Sound
13919451 1 3607 1842 +1765 whale_0x8ebd 0xb4ce6162... Ultra Sound
13918357 6 3682 1923 +1759 whale_0x8ebd Local Local
13917199 1 3585 1842 +1743 whale_0x8ebd 0x88857150... Ultra Sound
13914539 3 3610 1874 +1736 whale_0x8ebd 0xb26f9666... Titan Relay
13918604 0 3559 1825 +1734 everstake 0xb26f9666... Titan Relay
13920031 5 3634 1907 +1727 everstake 0xb26f9666... Titan Relay
13918613 1 3567 1842 +1725 blockscape_lido 0x853b0078... Titan Relay
13914407 5 3632 1907 +1725 ether.fi 0xb26f9666... EthGas
13920485 1 3560 1842 +1718 everstake 0xb4ce6162... Ultra Sound
13914176 0 3541 1825 +1716 stakingfacilities_lido 0x853b0078... Agnostic Gnosis
13920500 0 3537 1825 +1712 everstake 0x8527d16c... Ultra Sound
13920098 0 3536 1825 +1711 everstake 0xb26f9666... Titan Relay
13919831 5 3612 1907 +1705 whale_0x8ebd 0x8a850621... Ultra Sound
13914309 11 3709 2004 +1705 luno 0xb26f9666... Titan Relay
13918680 0 3526 1825 +1701 p2porg 0xb26f9666... Titan Relay
13918203 15 3764 2070 +1694 coinbase Local Local
13919944 0 3519 1825 +1694 everstake 0xb26f9666... Titan Relay
13916943 0 3517 1825 +1692 ether.fi 0x851b00b1... Ultra Sound
13918768 6 3611 1923 +1688 coinbase Local Local
13920594 0 3513 1825 +1688 everstake 0xb4ce6162... Ultra Sound
13919325 1 3519 1842 +1677 blockdaemon_lido 0x855b00e6... Ultra Sound
13914496 8 3632 1956 +1676 everstake 0x8527d16c... Ultra Sound
13916984 2 3531 1858 +1673 blockdaemon_lido 0xac23f8cc... Ultra Sound
13914088 0 3495 1825 +1670 ether.fi 0xb26f9666... EthGas
13914536 6 3586 1923 +1663 ether.fi 0xb26f9666... EthGas
13919168 0 3488 1825 +1663 everstake 0x8527d16c... Ultra Sound
13914476 8 3617 1956 +1661 coinbase Local Local
13917500 11 3662 2004 +1658 whale_0x8ebd 0x857b0038... Ultra Sound
13914966 1 3493 1842 +1651 whale_0xdc8d 0x856b0004... Ultra Sound
13920396 3 3522 1874 +1648 everstake 0x88857150... Ultra Sound
13916445 5 3547 1907 +1640 whale_0x8ebd 0x88857150... Ultra Sound
13918345 5 3539 1907 +1632 ether.fi 0x8a850621... EthGas
13919808 0 3450 1825 +1625 stakingfacilities_lido 0x851b00b1... BloXroute Max Profit
13917457 0 3449 1825 +1624 lido 0xb67eaa5e... BloXroute Max Profit
13920585 0 3449 1825 +1624 ether.fi 0xb67eaa5e... EthGas
13919911 6 3546 1923 +1623 kraken 0xb26f9666... EthGas
13915658 0 3440 1825 +1615 whale_0x8ebd 0xb4ce6162... Ultra Sound
13921004 15 3683 2070 +1613 coinbase 0x8db2a99d... Aestus
13918316 8 3569 1956 +1613 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13920775 13 3648 2037 +1611 whale_0x8ebd 0x8db2a99d... Aestus
13915115 0 3430 1825 +1605 nethermind_lido 0xb26f9666... Titan Relay
13914042 0 3430 1825 +1605 kiln 0xb26f9666... Titan Relay
13919008 0 3423 1825 +1598 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13918610 0 3422 1825 +1597 everstake 0xb26f9666... Titan Relay
13915767 8 3550 1956 +1594 blockdaemon 0x853b0078... BloXroute Regulated
13915007 6 3511 1923 +1588 coinbase 0x8527d16c... Ultra Sound
13915263 5 3494 1907 +1587 whale_0x8ebd 0x88857150... Ultra Sound
13915030 5 3494 1907 +1587 blockdaemon 0x8527d16c... Ultra Sound
13918863 0 3408 1825 +1583 everstake 0xb26f9666... Titan Relay
13915104 0 3404 1825 +1579 senseinode_lido 0x823e0146... Ultra Sound
13917824 0 3402 1825 +1577 stakingfacilities_lido 0xb26f9666... Titan Relay
13918711 0 3400 1825 +1575 kraken 0x8527d16c... EthGas
13920642 7 3512 1939 +1573 whale_0x8ebd 0x857b0038... Ultra Sound
13915337 5 3479 1907 +1572 whale_0x8ebd 0xb4ce6162... Ultra Sound
13920330 0 3388 1825 +1563 coinbase 0xb26f9666... Aestus
13918894 3 3436 1874 +1562 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13920657 1 3397 1842 +1555 whale_0x8ebd 0x88857150... Ultra Sound
13914231 0 3378 1825 +1553 everstake 0xb26f9666... Titan Relay
13916266 0 3374 1825 +1549 blockdaemon_lido 0x8527d16c... Ultra Sound
13920577 5 3451 1907 +1544 everstake 0xb26f9666... Titan Relay
13915040 0 3365 1825 +1540 stakingfacilities_lido 0x823e0146... Aestus
13918652 5 3445 1907 +1538 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13917504 3 3412 1874 +1538 coinbase Local Local
13919999 0 3362 1825 +1537 ether.fi 0x853b0078... Ultra Sound
13916866 1 3375 1842 +1533 figment 0x856b0004... Ultra Sound
13917940 2 3387 1858 +1529 stakefish Local Local
13920367 1 3369 1842 +1527 luno 0xb67eaa5e... BloXroute Regulated
13914193 5 3433 1907 +1526 kraken 0x8527d16c... EthGas
13918078 2 3382 1858 +1524 kraken 0xb26f9666... Titan Relay
13920689 2 3381 1858 +1523 bitstamp 0x850b00e0... BloXroute Max Profit
13920546 0 3348 1825 +1523 ether.fi 0xb26f9666... EthGas
13918496 8 3474 1956 +1518 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13916576 0 3343 1825 +1518 revolut 0x8527d16c... Ultra Sound
13916033 5 3420 1907 +1513 blockdaemon 0x88857150... Ultra Sound
13915895 1 3354 1842 +1512 ether.fi 0x850b00e0... BloXroute Regulated
13918505 15 3580 2070 +1510 figment 0xb67eaa5e... BloXroute Regulated
13914097 6 3431 1923 +1508 nethermind_lido 0x855b00e6... BloXroute Max Profit
13914751 0 3332 1825 +1507 blockdaemon_lido 0xb26f9666... Titan Relay
13917627 5 3413 1907 +1506 whale_0x8ebd 0xac23f8cc... Flashbots
13914561 2 3362 1858 +1504 whale_0x2cb6 0x857b0038... Ultra Sound
13914929 2 3361 1858 +1503 0x85fb0503... BloXroute Regulated
13915360 5 3408 1907 +1501 p2porg 0x88a53ec4... BloXroute Max Profit
13916959 5 3408 1907 +1501 whale_0x8ebd 0x8a850621... Titan Relay
13919908 0 3326 1825 +1501 blockdaemon 0x850b00e0... BloXroute Max Profit
13920584 5 3406 1907 +1499 everstake 0xb26f9666... Titan Relay
13920087 0 3323 1825 +1498 coinbase 0x88a53ec4... Aestus
13918114 11 3501 2004 +1497 blockdaemon 0x850b00e0... BloXroute Max Profit
13920691 3 3370 1874 +1496 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13917914 5 3401 1907 +1494 nethermind_lido 0x853b0078... Aestus
13918404 0 3319 1825 +1494 myetherwallet 0xb26f9666... Titan Relay
13920789 6 3416 1923 +1493 blockdaemon_lido 0x853b0078... BloXroute Max Profit
13918946 0 3318 1825 +1493 kiln 0x8a850621... Titan Relay
13920276 5 3399 1907 +1492 everstake 0xb26f9666... Titan Relay
13918464 1 3333 1842 +1491 kraken 0x8527d16c... EthGas
13918910 0 3316 1825 +1491 kraken 0xb26f9666... Titan Relay
13920007 5 3396 1907 +1489 kraken 0xb26f9666... EthGas
13915793 3 3363 1874 +1489 nethermind_lido 0x853b0078... Agnostic Gnosis
13920807 1 3330 1842 +1488 luno 0x853b0078... Ultra Sound
13917774 6 3406 1923 +1483 blockdaemon 0xb7c5e609... BloXroute Regulated
13914676 0 3307 1825 +1482 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13914149 5 3388 1907 +1481 ether.fi 0xb26f9666... EthGas
13915559 0 3305 1825 +1480 0x853b0078... Ultra Sound
13920251 5 3386 1907 +1479 nethermind_lido 0x88857150... Ultra Sound
13916654 0 3304 1825 +1479 cryptomanufaktur_lido Local Local
13914009 1 3320 1842 +1478 whale_0x5cd0 0xb26f9666... Aestus
13914368 1 3320 1842 +1478 kraken 0x82c466b9... Flashbots
13914701 5 3383 1907 +1476 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13918466 11 3473 2004 +1469 whale_0x8ebd 0x853b0078... Ultra Sound
13918729 5 3375 1907 +1468 blockscape_lido 0xb26f9666... Titan Relay
13920459 7 3407 1939 +1468 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13918524 9 3439 1972 +1467 everstake 0xb26f9666... Titan Relay
13915286 5 3373 1907 +1466 blockdaemon 0x88a53ec4... BloXroute Max Profit
13916992 9 3432 1972 +1460 gateway.fmas_lido 0x8527d16c... Ultra Sound
13918100 1 3300 1842 +1458 blockdaemon 0x88a53ec4... BloXroute Regulated
13918214 5 3365 1907 +1458 blockdaemon 0x855b00e6... Ultra Sound
13919479 0 3279 1825 +1454 revolut 0xb26f9666... Titan Relay
13919486 0 3279 1825 +1454 luno 0x853b0078... Ultra Sound
13918491 0 3278 1825 +1453 ether.fi 0x88a53ec4... BloXroute Regulated
13914194 5 3357 1907 +1450 whale_0x8ebd 0x8db2a99d... Ultra Sound
13919857 6 3373 1923 +1450 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13920111 1 3287 1842 +1445 coinbase 0xb4ce6162... Ultra Sound
13914968 1 3284 1842 +1442 coinbase 0x850b00e0... BloXroute Max Profit
13914507 1 3284 1842 +1442 whale_0x8ebd 0x8527d16c... Ultra Sound
13914248 0 3267 1825 +1442 whale_0x8ebd 0x853b0078... Ultra Sound
13915296 9 3413 1972 +1441 whale_0x8ebd 0x88857150... Ultra Sound
13920287 9 3412 1972 +1440 luno 0x8db2a99d... Ultra Sound
13914423 2 3294 1858 +1436 p2porg 0xb67eaa5e... Aestus
13916893 3 3309 1874 +1435 luno 0x850b00e0... BloXroute Regulated
13920536 0 3260 1825 +1435 whale_0x8ebd 0x8527d16c... Ultra Sound
13916521 5 3340 1907 +1433 blockdaemon_lido 0xac23f8cc... Ultra Sound
13914100 1 3273 1842 +1431 everstake 0x850b00e0... BloXroute Max Profit
13917534 7 3369 1939 +1430 nethermind_lido 0xb26f9666... Aestus
13915623 0 3255 1825 +1430 ether.fi 0xba003e46... Flashbots
13918132 3 3303 1874 +1429 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13917639 4 3319 1891 +1428 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13921134 0 3253 1825 +1428 blockdaemon 0xb26f9666... Titan Relay
13918852 0 3251 1825 +1426 kraken 0x82c466b9... EthGas
13918741 0 3250 1825 +1425 coinbase 0x8a2a4361... Ultra Sound
13916855 0 3250 1825 +1425 p2porg 0x8527d16c... Ultra Sound
13918714 2 3282 1858 +1424 nethermind_lido 0x850b00e0... Flashbots
13917161 0 3248 1825 +1423 blockdaemon 0xb67eaa5e... BloXroute Regulated
13916112 5 3328 1907 +1421 blockdaemon 0xb26f9666... Titan Relay
13915782 10 3406 1988 +1418 blockdaemon 0xac23f8cc... BloXroute Regulated
13915897 2 3275 1858 +1417 0xac23f8cc... Ultra Sound
13918576 6 3338 1923 +1415 coinbase 0x855b00e6... Ultra Sound
13916774 6 3338 1923 +1415 0xb26f9666... Titan Relay
13919387 0 3240 1825 +1415 luno 0x8527d16c... Ultra Sound
13918490 19 3549 2135 +1414 whale_0xdc8d 0x853b0078... BloXroute Regulated
13914986 0 3239 1825 +1414 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13920138 0 3237 1825 +1412 blockscape_lido 0x856b0004... Titan Relay
13917462 0 3237 1825 +1412 ether.fi 0xa9bd259c... Flashbots
13916449 6 3334 1923 +1411 blockdaemon 0x853b0078... Ultra Sound
13916837 3 3284 1874 +1410 nethermind_lido 0xac23f8cc... BloXroute Max Profit
13919174 5 3316 1907 +1409 kraken 0xb26f9666... EthGas
13918265 1 3249 1842 +1407 nethermind_lido 0x856b0004... BloXroute Max Profit
13917612 10 3395 1988 +1407 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13917057 3 3281 1874 +1407 nethermind_lido 0x8527d16c... Ultra Sound
13916642 0 3232 1825 +1407 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13919000 9 3377 1972 +1405 kiln 0x88a53ec4... BloXroute Regulated
13918049 0 3230 1825 +1405 whale_0x8ebd 0x857b0038... Ultra Sound
13918786 2 3262 1858 +1404 blockscape_lido 0xb26f9666... Titan Relay
13918529 0 3229 1825 +1404 coinbase 0x8a850621... Titan Relay
13915930 0 3229 1825 +1404 whale_0xdc8d 0xb26f9666... Titan Relay
13919483 6 3325 1923 +1402 nethermind_lido 0xb7c5e609... BloXroute Max Profit
13919752 10 3390 1988 +1402 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13914289 1 3242 1842 +1400 nethermind_lido 0x88a53ec4... BloXroute Regulated
13916915 1 3242 1842 +1400 bitstamp 0x850b00e0... BloXroute Regulated
13914998 5 3307 1907 +1400 0xb26f9666... EthGas
13917450 0 3225 1825 +1400 kraken 0xa9bd259c... Ultra Sound
13918649 6 3322 1923 +1399 blockdaemon 0x8527d16c... Ultra Sound
13918851 5 3305 1907 +1398 kiln 0x8527d16c... Ultra Sound
13918921 6 3321 1923 +1398 p2porg 0x856b0004... BloXroute Max Profit
13919114 7 3337 1939 +1398 everstake 0xb26f9666... Titan Relay
13915095 0 3222 1825 +1397 nethermind_lido 0xb211df49... Agnostic Gnosis
13920421 1 3236 1842 +1394 bitstamp 0xb67eaa5e... BloXroute Max Profit
13917730 6 3317 1923 +1394 blockdaemon_lido 0xb26f9666... Titan Relay
13916953 3 3268 1874 +1394 whale_0x7669 0x88857150... Ultra Sound
13914257 5 3300 1907 +1393 whale_0x8ebd 0x85fb0503... BloXroute Max Profit
13919958 0 3218 1825 +1393 nethermind_lido 0x8527d16c... Ultra Sound
13918665 1 3232 1842 +1390 whale_0x8ebd 0x8527d16c... Ultra Sound
13918055 9 3362 1972 +1390 kiln 0x856b0004... Aestus
13918436 0 3214 1825 +1389 0xac23f8cc... Aestus
13915406 10 3375 1988 +1387 whale_0x8ebd 0x8527d16c... Ultra Sound
13916181 5 3293 1907 +1386 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13915017 6 3309 1923 +1386 p2porg 0x88857150... Ultra Sound
13920935 7 3325 1939 +1386 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13919460 0 3210 1825 +1385 nethermind_lido 0x83d6a6ab... BloXroute Max Profit
13917404 1 3226 1842 +1384 blockdaemon_lido 0xb26f9666... Titan Relay
13920552 8 3339 1956 +1383 coinbase 0x856b0004... Aestus
13918455 1 3222 1842 +1380 whale_0x8ebd Local Local
13914411 0 3203 1825 +1378 everstake 0x8db2a99d... Aestus
13920342 0 3203 1825 +1378 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13918447 3 3251 1874 +1377 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13918147 4 3267 1891 +1376 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13919127 4 3267 1891 +1376 bitstamp 0x855b00e6... BloXroute Max Profit
13917946 0 3201 1825 +1376 blockdaemon_lido 0xb67eaa5e... Titan Relay
13920532 0 3201 1825 +1376 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13914218 5 3282 1907 +1375 blockdaemon 0x857b0038... Ultra Sound
13915005 5 3282 1907 +1375 coinbase 0x8527d16c... Ultra Sound
13914971 5 3281 1907 +1374 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13916761 5 3280 1907 +1373 kiln 0xac23f8cc... Agnostic Gnosis
13915998 3 3246 1874 +1372 whale_0x8ebd 0xb26f9666... Titan Relay
13919192 7 3309 1939 +1370 coinbase 0x8527d16c... Ultra Sound
13914490 4 3260 1891 +1369 whale_0x8ebd 0xb4ce6162... Ultra Sound
13916783 0 3194 1825 +1369 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13919709 0 3194 1825 +1369 revolut 0xb26f9666... Titan Relay
13915194 0 3194 1825 +1369 whale_0x8ebd 0x88857150... Ultra Sound
13914543 6 3291 1923 +1368 whale_0x8ebd 0x857b0038... Ultra Sound
13915349 1 3209 1842 +1367 gateway.fmas_lido 0x8527d16c... Ultra Sound
13920435 1 3208 1842 +1366 everstake 0xb26f9666... Aestus
13920504 5 3272 1907 +1365 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13917616 6 3288 1923 +1365 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13915569 0 3189 1825 +1364 luno 0x8527d16c... Ultra Sound
13917465 1 3204 1842 +1362 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13917103 1 3204 1842 +1362 revolut 0x88857150... Ultra Sound
13914545 0 3187 1825 +1362 whale_0x8ebd 0xb4ce6162... Ultra Sound
13917527 9 3333 1972 +1361 blockdaemon 0xb26f9666... Titan Relay
13920197 7 3299 1939 +1360 nethermind_lido 0x855b00e6... BloXroute Max Profit
13917728 6 3281 1923 +1358 figment 0x856b0004... Agnostic Gnosis
13920294 0 3182 1825 +1357 coinbase 0x8a850621... Titan Relay
13916500 0 3182 1825 +1357 gateway.fmas_lido 0xba003e46... Flashbots
13915878 5 3263 1907 +1356 blockdaemon_lido 0x8527d16c... Ultra Sound
13918523 1 3197 1842 +1355 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13914142 0 3180 1825 +1355 ether.fi 0x8527d16c... EthGas
13916810 5 3261 1907 +1354 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13919332 0 3178 1825 +1353 bitstamp 0xb67eaa5e... BloXroute Max Profit
13919359 11 3357 2004 +1353 nethermind_lido 0x850b00e0... BloXroute Max Profit
13920578 0 3177 1825 +1352 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13920232 2 3209 1858 +1351 coinbase 0x8527d16c... Ultra Sound
13919971 0 3176 1825 +1351 whale_0x8ebd 0x83d6a6ab... BloXroute Regulated
13915093 3 3224 1874 +1350 blockdaemon 0x8527d16c... Ultra Sound
13920204 0 3175 1825 +1350 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13920196 0 3174 1825 +1349 coinbase 0xb4ce6162... Ultra Sound
13918168 9 3320 1972 +1348 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13920829 2 3206 1858 +1348 nethermind_lido 0xb7c5e609... BloXroute Max Profit
13920055 0 3173 1825 +1348 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13918986 0 3173 1825 +1348 kraken 0xb26f9666... EthGas
13916158 1 3188 1842 +1346 whale_0x8ebd 0x855b00e6... Flashbots
13918343 0 3171 1825 +1346 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13919693 0 3170 1825 +1345 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13918953 0 3170 1825 +1345 bitstamp 0x851b00b1... BloXroute Max Profit
13919175 1 3185 1842 +1343 whale_0x8ebd 0x8527d16c... Ultra Sound
13919861 5 3250 1907 +1343 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13916705 10 3331 1988 +1343 stader 0x856b0004... Aestus
13920768 2 3200 1858 +1342 everstake 0x855b00e6... BloXroute Max Profit
13920129 7 3281 1939 +1342 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13916400 0 3166 1825 +1341 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13914458 0 3165 1825 +1340 coinbase 0xb4ce6162... Ultra Sound
13920225 6 3262 1923 +1339 everstake 0x853b0078... BloXroute Max Profit
13916796 5 3245 1907 +1338 stader 0x8527d16c... Ultra Sound
13918708 0 3163 1825 +1338 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13917373 14 3390 2053 +1337 blockdaemon 0x8db2a99d... Ultra Sound
13919240 8 3291 1956 +1335 bitstamp 0x8db2a99d... Ultra Sound
13920002 0 3157 1825 +1332 blockscape_lido 0xb26f9666... Titan Relay
13920041 0 3157 1825 +1332 everstake_lido 0xb26f9666... Titan Relay
13918430 8 3287 1956 +1331 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13917350 10 3319 1988 +1331 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13916967 3 3205 1874 +1331 coinbase 0x856b0004... Agnostic Gnosis
13920491 5 3237 1907 +1330 p2porg 0x856b0004... BloXroute Max Profit
13918554 0 3155 1825 +1330 coinbase 0xba003e46... BloXroute Max Profit
13920617 11 3334 2004 +1330 nethermind_lido 0x853b0078... BloXroute Max Profit
13916763 0 3153 1825 +1328 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13914819 11 3332 2004 +1328 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13920191 4 3218 1891 +1327 coinbase 0x856b0004... Agnostic Gnosis
13915094 6 3250 1923 +1327 blockdaemon_lido 0x88857150... Ultra Sound
13914118 5 3233 1907 +1326 ether.fi 0x8a850621... EthGas
13916351 6 3249 1923 +1326 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13918733 11 3330 2004 +1326 coinbase 0xb4ce6162... Ultra Sound
13917683 1 3166 1842 +1324 p2porg 0xb67eaa5e... BloXroute Max Profit
13915595 0 3148 1825 +1323 gateway.fmas_lido 0x85fb0503... BloXroute Max Profit
13920309 9 3293 1972 +1321 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13918513 20 3471 2151 +1320 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13920072 5 3225 1907 +1318 kiln 0xb26f9666... Aestus
13918678 5 3225 1907 +1318 p2porg 0x853b0078... Aestus
13914250 5 3222 1907 +1315 everstake 0x823e0146... Aestus
13918839 7 3254 1939 +1315 everstake 0xb67eaa5e... BloXroute Regulated
13914338 1 3156 1842 +1314 everstake 0x88857150... Ultra Sound
13919998 0 3139 1825 +1314 ether.fi 0x88a53ec4... BloXroute Max Profit
13915146 0 3139 1825 +1314 gateway.fmas_lido 0x88857150... Ultra Sound
13915913 14 3366 2053 +1313 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13915980 0 3138 1825 +1313 p2porg 0x850b00e0... BloXroute Regulated
13918255 0 3136 1825 +1311 everstake 0xb26f9666... Aestus
13914062 6 3231 1923 +1308 everstake 0x823e0146... Aestus
13914494 12 3328 2021 +1307 kraken 0xb26f9666... EthGas
13915661 6 3230 1923 +1307 p2porg 0xb67eaa5e... BloXroute Regulated
13920458 0 3131 1825 +1306 everstake 0xb26f9666... Aestus
13920452 2 3163 1858 +1305 bitstamp 0x850b00e0... BloXroute Max Profit
13920483 0 3130 1825 +1305 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13918292 9 3275 1972 +1303 nethermind_lido 0xb26f9666... Aestus
13918970 0 3128 1825 +1303 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13919960 8 3258 1956 +1302 p2porg 0x823e0146... BloXroute Max Profit
13918207 9 3270 1972 +1298 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13919107 9 3270 1972 +1298 p2porg 0x853b0078... Aestus
13918508 0 3123 1825 +1298 p2porg 0xb26f9666... BloXroute Max Profit
13918170 4 3188 1891 +1297 p2porg 0x853b0078... BloXroute Max Profit
13920301 5 3203 1907 +1296 gateway.fmas_lido 0x8527d16c... Ultra Sound
Total anomalies: 349

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})