Fri, Mar 20, 2026

Propagation anomalies - 2026-03-20

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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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-20' AND slot_start_date_time < '2026-03-20'::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,188
MEV blocks: 6,604 (91.9%)
Local blocks: 584 (8.1%)

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 = 1794.9 + 19.05 × blob_count (R² = 0.012)
Residual σ = 641.5ms
Anomalies (>2σ slow): 334 (4.6%)
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
13935362 5 6989 1890 +5099 everstake Local Local
13934144 0 6348 1795 +4553 upbit Local Local
13935136 0 6293 1795 +4498 upbit Local Local
13933280 0 5603 1795 +3808 upbit Local Local
13930176 5 4944 1890 +3054 paralinker Local Local
13931135 0 4261 1795 +2466 whale_0x4fd7 Local Local
13933083 0 4247 1795 +2452 ether.fi Local Local
13933333 0 4065 1795 +2270 whale_0x8ebd 0x857b0038... Ultra Sound
13932448 5 4150 1890 +2260 stakefish Local Local
13933167 0 4016 1795 +2221 whale_0x8ebd Local Local
13935267 0 3956 1795 +2161 whale_0x8ebd Local Local
13935361 0 3941 1795 +2146 whale_0x8ebd 0xb4ce6162... Ultra Sound
13935234 6 4050 1909 +2141 whale_0x8ebd 0x823e0146... Ultra Sound
13935424 3 3990 1852 +2138 stakefish Local Local
13929614 0 3918 1795 +2123 rocketpool Local Local
13934853 0 3902 1795 +2107 whale_0x8ebd 0x857b0038... Ultra Sound
13935325 5 3973 1890 +2083 ether.fi 0xb67eaa5e... EthGas
13933568 0 3875 1795 +2080 blockdaemon 0xb67eaa5e... Titan Relay
13930177 0 3864 1795 +2069 staked.us Local Local
13930496 0 3860 1795 +2065 whale_0x79a9 Local Local
13933635 7 3973 1928 +2045 whale_0x8ebd 0x88857150... Ultra Sound
13933080 2 3852 1833 +2019 0xb26f9666... Titan Relay
13934542 5 3903 1890 +2013 blockdaemon 0x8527d16c... Ultra Sound
13932652 1 3807 1814 +1993 everstake 0x853b0078... Agnostic Gnosis
13935297 0 3783 1795 +1988 whale_0xdc8d Local Local
13933612 2 3816 1833 +1983 nethermind_lido 0x856b0004... Agnostic Gnosis
13930528 2 3809 1833 +1976 stakefish Local Local
13932413 0 3729 1795 +1934 blockdaemon 0x8527d16c... Ultra Sound
13932934 0 3716 1795 +1921 blockdaemon_lido 0x8527d16c... Ultra Sound
13935577 5 3800 1890 +1910 nethermind_lido 0xb26f9666... Aestus
13935096 10 3871 1985 +1886 blockdaemon 0x8527d16c... Ultra Sound
13935245 6 3793 1909 +1884 whale_0x8ebd 0x88a53ec4... Aestus
13935296 5 3773 1890 +1883 stakefish 0xb26f9666... Titan Relay
13933989 1 3685 1814 +1871 stakefish Local Local
13932429 3 3723 1852 +1871 chainlayer_lido Local Local
13932828 1 3676 1814 +1862 coinbase 0xb26f9666... Titan Relay
13932701 0 3652 1795 +1857 p2porg 0xb26f9666... Titan Relay
13933478 0 3628 1795 +1833 blockdaemon 0xb26f9666... Titan Relay
13933555 1 3636 1814 +1822 stakingfacilities_lido 0xb26f9666... Titan Relay
13933444 0 3600 1795 +1805 coinbase 0x88a53ec4... Aestus
13931616 5 3679 1890 +1789 blockdaemon 0x850b00e0... BloXroute Regulated
13934726 0 3578 1795 +1783 everstake 0x8a850621... Titan Relay
13934902 1 3591 1814 +1777 kraken 0x82c466b9... EthGas
13934984 0 3571 1795 +1776 everstake 0x88857150... Ultra Sound
13932308 5 3661 1890 +1771 stakefish Local Local
13931808 5 3657 1890 +1767 blockdaemon 0xb26f9666... Titan Relay
13933757 2 3582 1833 +1749 stakefish Local Local
13934016 12 3768 2024 +1744 stakingfacilities_lido 0x88a53ec4... BloXroute Regulated
13933024 1 3544 1814 +1730 nethermind_lido 0xb26f9666... Aestus
13933391 1 3540 1814 +1726 everstake 0xb26f9666... Titan Relay
13932945 5 3615 1890 +1725 stakefish Local Local
13933272 1 3538 1814 +1724 everstake 0xb26f9666... Titan Relay
13928888 1 3536 1814 +1722 chainlayer_lido Local Local
13931631 2 3553 1833 +1720 chainlayer_lido Local Local
13933749 5 3609 1890 +1719 kraken 0x82c466b9... EthGas
13932951 2 3550 1833 +1717 whale_0x8ebd 0xb4ce6162... Ultra Sound
13932544 5 3606 1890 +1716 stakefish Local Local
13935425 0 3510 1795 +1715 solo_stakers Local Local
13933600 5 3605 1890 +1715 kraken 0x8527d16c... Ultra Sound
13935120 6 3616 1909 +1707 coinbase 0xb26f9666... Titan Relay
13934945 0 3493 1795 +1698 stakefish Local Local
13932189 5 3581 1890 +1691 chainlayer_lido Local Local
13932669 1 3503 1814 +1689 everstake 0xb26f9666... Aestus
13932732 0 3480 1795 +1685 coinbase 0x8a850621... Titan Relay
13932998 2 3517 1833 +1684 stakefish Local Local
13935106 0 3472 1795 +1677 everstake 0xb26f9666... Titan Relay
13932817 0 3471 1795 +1676 stakefish Local Local
13933085 6 3584 1909 +1675 whale_0x8ebd 0x8a850621... Titan Relay
13932301 13 3713 2043 +1670 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13933439 9 3635 1966 +1669 coinbase 0x88a53ec4... Aestus
13931200 0 3462 1795 +1667 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13933672 7 3592 1928 +1664 whale_0x8ebd 0xac23f8cc... Ultra Sound
13931268 0 3440 1795 +1645 blockdaemon 0x8527d16c... Ultra Sound
13932822 6 3551 1909 +1642 everstake 0xb26f9666... Titan Relay
13933824 2 3471 1833 +1638 gateway.fmas_lido 0x8527d16c... Ultra Sound
13931857 6 3544 1909 +1635 chainlayer_lido Local Local
13935473 5 3515 1890 +1625 p2porg 0xb26f9666... Titan Relay
13935002 0 3418 1795 +1623 everstake 0xb26f9666... Titan Relay
13930356 0 3418 1795 +1623 blockdaemon_lido 0x8527d16c... Ultra Sound
13929835 0 3417 1795 +1622 chainlayer_lido Local Local
13934944 0 3412 1795 +1617 stakingfacilities_lido 0x851b00b1... Flashbots
13934960 1 3426 1814 +1612 everstake 0xb26f9666... Titan Relay
13932859 0 3400 1795 +1605 bitstamp 0x93b11bec... Flashbots
13930954 1 3419 1814 +1605 stakefish Local Local
13932800 1 3417 1814 +1603 kiln 0x8527d16c... Ultra Sound
13932921 2 3423 1833 +1590 kraken 0x82c466b9... EthGas
13935541 11 3591 2004 +1587 coinbase 0x8527d16c... Ultra Sound
13933114 0 3375 1795 +1580 kraken 0xb26f9666... Titan Relay
13932421 0 3374 1795 +1579 blockdaemon 0xb7c5c39a... BloXroute Regulated
13934878 0 3365 1795 +1570 coinbase 0x88857150... Ultra Sound
13935173 0 3363 1795 +1568 kiln 0xb26f9666... Titan Relay
13934296 8 3515 1947 +1568 whale_0xad1d Local Local
13929124 5 3456 1890 +1566 nethermind_lido 0x8527d16c... Ultra Sound
13928799 0 3354 1795 +1559 blockdaemon 0xb4ce6162... Ultra Sound
13935377 4 3427 1871 +1556 everstake 0xb26f9666... Titan Relay
13929908 5 3446 1890 +1556 blockdaemon_lido 0x88857150... Ultra Sound
13935250 0 3350 1795 +1555 everstake 0xb26f9666... Titan Relay
13929595 0 3350 1795 +1555 luno 0xb67eaa5e... BloXroute Regulated
13931306 0 3348 1795 +1553 blockdaemon 0x850b00e0... BloXroute Max Profit
13930114 3 3401 1852 +1549 blockdaemon 0xb26f9666... Titan Relay
13933827 9 3511 1966 +1545 nethermind_lido 0x8527d16c... Ultra Sound
13928777 2 3377 1833 +1544 blockdaemon_lido 0x91b123d8... Ultra Sound
13934476 7 3472 1928 +1544 everstake 0xb26f9666... Titan Relay
13933674 5 3429 1890 +1539 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13932780 7 3467 1928 +1539 blockdaemon 0x88857150... Ultra Sound
13929609 3 3390 1852 +1538 blockdaemon 0x856b0004... BloXroute Max Profit
13933432 1 3351 1814 +1537 figment 0xb26f9666... Titan Relay
13933215 12 3555 2024 +1531 blockdaemon_lido 0x88857150... Ultra Sound
13933557 2 3360 1833 +1527 whale_0x8ebd 0x853b0078... Ultra Sound
13931727 5 3417 1890 +1527 blockdaemon 0x88857150... Ultra Sound
13929568 5 3417 1890 +1527 nethermind_lido 0x855b00e6... BloXroute Max Profit
13932321 8 3474 1947 +1527 blockdaemon 0x850b00e0... BloXroute Max Profit
13931747 6 3435 1909 +1526 nethermind_lido 0x88a53ec4... BloXroute Regulated
13931218 0 3320 1795 +1525 blockdaemon_lido 0xb26f9666... Titan Relay
13935342 0 3320 1795 +1525 blockdaemon 0xb67eaa5e... BloXroute Regulated
13932848 0 3320 1795 +1525 stader 0x88857150... Ultra Sound
13928791 0 3318 1795 +1523 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13931399 1 3336 1814 +1522 whale_0xdc8d 0xb67eaa5e... BloXroute Max Profit
13934272 6 3428 1909 +1519 nethermind_lido 0x8527d16c... Ultra Sound
13930959 7 3444 1928 +1516 blockdaemon 0x88857150... Ultra Sound
13932958 5 3404 1890 +1514 bitstamp 0x88a53ec4... BloXroute Regulated
13933042 0 3307 1795 +1512 kraken 0xb26f9666... Titan Relay
13931355 5 3402 1890 +1512 everstake 0xb26f9666... Aestus
13933540 5 3401 1890 +1511 kiln 0xb26f9666... Titan Relay
13929136 0 3305 1795 +1510 blockdaemon 0x88a53ec4... BloXroute Max Profit
13934947 0 3303 1795 +1508 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13932925 0 3302 1795 +1507 0x8db2a99d... Flashbots
13932748 6 3414 1909 +1505 stader 0x856b0004... Ultra Sound
13929154 0 3298 1795 +1503 blockdaemon_lido 0x8db2a99d... Ultra Sound
13933525 0 3297 1795 +1502 nethermind_lido 0x8527d16c... Ultra Sound
13931323 1 3314 1814 +1500 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13935459 14 3561 2062 +1499 ether.fi 0x86f3ad35... EthGas
13931589 0 3294 1795 +1499 nethermind_lido 0xb26f9666... Aestus
13933312 0 3291 1795 +1496 stakefish Local Local
13932336 5 3385 1890 +1495 p2porg 0x88a53ec4... BloXroute Regulated
13928706 0 3286 1795 +1491 0xb26f9666... Titan Relay
13932412 2 3323 1833 +1490 whale_0xdc8d 0x856b0004... Ultra Sound
13930616 0 3283 1795 +1488 blockdaemon_lido 0x99dbe3e8... Ultra Sound
13932224 1 3300 1814 +1486 0xb26f9666... BloXroute Max Profit
13929439 5 3374 1890 +1484 whale_0x5a43 0xac23f8cc... Aestus
13934811 2 3314 1833 +1481 blockdaemon 0x850b00e0... BloXroute Max Profit
13935388 10 3461 1985 +1476 coinbase 0x8527d16c... Ultra Sound
13930848 0 3267 1795 +1472 whale_0xedc6 0x856b0004... Ultra Sound
13934596 3 3324 1852 +1472 everstake 0xb26f9666... Titan Relay
13933645 10 3456 1985 +1471 kraken 0xb26f9666... EthGas
13931303 0 3262 1795 +1467 blockdaemon 0xb67eaa5e... BloXroute Regulated
13932737 15 3546 2081 +1465 kraken 0x82c466b9... EthGas
13931509 0 3260 1795 +1465 coinbase 0xb67eaa5e... Aestus
13934255 4 3334 1871 +1463 whale_0xad1d Local Local
13933347 8 3410 1947 +1463 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13928412 12 3485 2024 +1461 nethermind_lido 0x856b0004... Agnostic Gnosis
13934259 5 3348 1890 +1458 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13935125 10 3441 1985 +1456 everstake 0xb26f9666... Titan Relay
13929742 0 3250 1795 +1455 blockdaemon_lido 0x8527d16c... Ultra Sound
13932579 3 3307 1852 +1455 whale_0xdc8d 0x850b00e0... BloXroute Regulated
13930458 4 3326 1871 +1455 blockdaemon 0x850b00e0... BloXroute Max Profit
13930705 3 3304 1852 +1452 revolut 0xb26f9666... Titan Relay
13935378 0 3246 1795 +1451 binance 0x88a53ec4... BloXroute Max Profit
13931624 3 3303 1852 +1451 luno 0xb26f9666... Titan Relay
13929460 5 3337 1890 +1447 luno 0x853b0078... BloXroute Regulated
13933793 5 3336 1890 +1446 kraken 0xb26f9666... Titan Relay
13934180 2 3277 1833 +1444 nethermind_lido 0x855b00e6... BloXroute Max Profit
13933646 4 3310 1871 +1439 bitstamp 0x850b00e0... BloXroute Max Profit
13933919 1 3249 1814 +1435 nethermind_lido 0x853b0078... Agnostic Gnosis
13934217 7 3363 1928 +1435 blockdaemon_lido 0x856b0004... Ultra Sound
13935483 0 3228 1795 +1433 coinbase 0x88a53ec4... BloXroute Regulated
13928892 0 3228 1795 +1433 kiln 0xa0366397... Flashbots
13933402 5 3321 1890 +1431 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13932729 5 3320 1890 +1430 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13932831 5 3317 1890 +1427 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13933376 5 3317 1890 +1427 whale_0x9212 0x88857150... Ultra Sound
13932394 1 3235 1814 +1421 blockdaemon_lido 0x8527d16c... Ultra Sound
13931262 6 3330 1909 +1421 revolut 0x850b00e0... BloXroute Regulated
13934381 7 3347 1928 +1419 coinbase 0x88a53ec4... BloXroute Max Profit
13929058 0 3212 1795 +1417 blockdaemon 0x8db2a99d... BloXroute Max Profit
13934641 4 3288 1871 +1417 ether.fi 0x8527d16c... EthGas
13931657 5 3307 1890 +1417 p2porg 0x88857150... Ultra Sound
13929130 8 3364 1947 +1417 revolut 0xb67eaa5e... BloXroute Regulated
13934741 9 3381 1966 +1415 ether.fi 0xb67eaa5e... EthGas
13931434 8 3361 1947 +1414 0xb26f9666... Titan Relay
13934967 1 3224 1814 +1410 stakefish Local Local
13931293 5 3300 1890 +1410 blockdaemon 0xb26f9666... Titan Relay
13935009 1 3223 1814 +1409 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13932746 0 3202 1795 +1407 coinbase 0xac23f8cc... Ultra Sound
13929521 0 3202 1795 +1407 p2porg 0xb67eaa5e... BloXroute Max Profit
13935236 5 3297 1890 +1407 kraken 0x82c466b9... EthGas
13931392 10 3392 1985 +1407 stakingfacilities_lido 0x8527d16c... Ultra Sound
13934139 3 3258 1852 +1406 nethermind_lido 0x850b00e0... BloXroute Max Profit
13934956 0 3198 1795 +1403 renzo_protocol 0xb67eaa5e... Ultra Sound
13933819 8 3349 1947 +1402 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13930204 0 3195 1795 +1400 nethermind_lido 0x855b00e6... BloXroute Max Profit
13934711 5 3290 1890 +1400 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13935220 0 3194 1795 +1399 myetherwallet 0xb26f9666... Titan Relay
13933608 6 3308 1909 +1399 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13932922 5 3288 1890 +1398 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13930529 3 3249 1852 +1397 bitstamp 0x850b00e0... BloXroute Max Profit
13933518 5 3287 1890 +1397 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13933073 6 3306 1909 +1397 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13928877 6 3305 1909 +1396 blockdaemon_lido 0xb4ce6162... Ultra Sound
13928878 0 3190 1795 +1395 bitstamp 0x851b00b1... BloXroute Max Profit
13930010 4 3266 1871 +1395 whale_0x8ebd 0x857b0038... Ultra Sound
13932277 0 3189 1795 +1394 blockdaemon_lido 0x88857150... Ultra Sound
13933060 0 3189 1795 +1394 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13935241 2 3226 1833 +1393 p2porg 0x850b00e0... BloXroute Regulated
13933350 0 3186 1795 +1391 kraken 0xb26f9666... EthGas
13930484 1 3205 1814 +1391 whale_0x8ebd 0x8527d16c... Ultra Sound
13932826 8 3338 1947 +1391 kraken 0xb26f9666... Titan Relay
13935306 0 3185 1795 +1390 figment 0xb26f9666... Titan Relay
13930064 0 3184 1795 +1389 coinbase 0x88a53ec4... Aestus
13930018 6 3298 1909 +1389 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13935510 0 3181 1795 +1386 ether.fi 0xb67eaa5e... EthGas
13930339 1 3200 1814 +1386 whale_0x8ebd 0x88857150... Ultra Sound
13931353 7 3314 1928 +1386 blockdaemon_lido 0x8527d16c... Ultra Sound
13931288 8 3333 1947 +1386 blockdaemon_lido 0x8527d16c... Ultra Sound
13929426 0 3178 1795 +1383 whale_0x8ebd 0x88857150... Ultra Sound
13933461 2 3216 1833 +1383 coinbase 0x88a53ec4... BloXroute Max Profit
13933116 7 3311 1928 +1383 stakingfacilities_lido 0x8db2a99d... BloXroute Max Profit
13929469 1 3196 1814 +1382 whale_0x8ebd 0x8527d16c... Ultra Sound
13932971 5 3272 1890 +1382 whale_0x8ebd 0x856b0004... Agnostic Gnosis
13931504 5 3271 1890 +1381 nethermind_lido 0x8db2a99d... Aestus
13933071 4 3250 1871 +1379 nethermind_lido 0xac23f8cc... Ultra Sound
13933293 4 3250 1871 +1379 kraken 0xb26f9666... Titan Relay
13930278 5 3269 1890 +1379 revolut 0xb26f9666... Titan Relay
13933053 3 3230 1852 +1378 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13934760 3 3229 1852 +1377 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13933037 5 3267 1890 +1377 bitstamp 0xb67eaa5e... BloXroute Max Profit
13929791 4 3247 1871 +1376 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13934488 10 3360 1985 +1375 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13930864 1 3188 1814 +1374 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13933571 2 3207 1833 +1374 everstake 0x88a53ec4... BloXroute Max Profit
13933379 5 3264 1890 +1374 everstake 0xb67eaa5e... BloXroute Max Profit
13930182 0 3168 1795 +1373 kiln 0x88a53ec4... Aestus
13935318 0 3168 1795 +1373 kraken 0xb26f9666... Titan Relay
13932894 3 3225 1852 +1373 bitstamp 0x88a53ec4... BloXroute Max Profit
13930033 6 3282 1909 +1373 whale_0x8ebd 0x88857150... Ultra Sound
13930478 10 3358 1985 +1373 luno 0x8db2a99d... Ultra Sound
13930479 1 3185 1814 +1371 nethermind_lido 0x88857150... Ultra Sound
13933907 1 3183 1814 +1369 nethermind_lido 0x853b0078... Agnostic Gnosis
13935299 0 3163 1795 +1368 everstake 0x856b0004... Aestus
13934399 5 3257 1890 +1367 stakefish Local Local
13934998 0 3157 1795 +1362 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13930539 4 3232 1871 +1361 whale_0x8ebd 0x856b0004... Agnostic Gnosis
13928804 5 3250 1890 +1360 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13935046 5 3250 1890 +1360 kraken 0x82c466b9... EthGas
13930852 0 3154 1795 +1359 bitstamp 0xb26f9666... Aestus
13929119 0 3153 1795 +1358 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13930067 5 3248 1890 +1358 0x855b00e6... BloXroute Max Profit
13930078 5 3248 1890 +1358 kiln 0xb7c5e609... BloXroute Max Profit
13929090 6 3265 1909 +1356 p2porg 0x850b00e0... BloXroute Regulated
13932400 0 3149 1795 +1354 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13933658 1 3165 1814 +1351 coinbase 0x88857150... Ultra Sound
13932455 4 3222 1871 +1351 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13929210 8 3298 1947 +1351 nethermind_lido 0xb7c5e609... BloXroute Max Profit
13935288 11 3355 2004 +1351 coinbase 0x85fb0503... BloXroute Max Profit
13932235 5 3240 1890 +1350 blockdaemon 0x856b0004... Ultra Sound
13932437 11 3354 2004 +1350 everstake 0x853b0078... Ultra Sound
13935018 12 3373 2024 +1349 0x8db2a99d... Aestus
13934228 0 3144 1795 +1349 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13934635 0 3138 1795 +1343 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13934728 7 3270 1928 +1342 coinbase 0x88a53ec4... Aestus
13935154 6 3249 1909 +1340 gateway.fmas_lido 0x8527d16c... Ultra Sound
13932763 8 3286 1947 +1339 whale_0x405b 0x88857150... Ultra Sound
13928609 10 3324 1985 +1339 blockdaemon 0x853b0078... Ultra Sound
13934005 1 3152 1814 +1338 bitstamp 0x8db2a99d... Aestus
13928775 0 3131 1795 +1336 whale_0x8ebd 0xb26f9666... Titan Relay
13934098 0 3131 1795 +1336 blockdaemon 0xb26f9666... Titan Relay
13933220 2 3169 1833 +1336 whale_0xedc6 0xb26f9666... BloXroute Max Profit
13934866 3 3188 1852 +1336 coinbase 0x853b0078... Agnostic Gnosis
13932770 5 3226 1890 +1336 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13934988 1 3149 1814 +1335 whale_0x8ebd 0x856b0004... Agnostic Gnosis
13934828 0 3128 1795 +1333 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13935099 0 3128 1795 +1333 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13928948 2 3163 1833 +1330 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13928570 0 3124 1795 +1329 kiln 0xa412c4b8... Flashbots
13932704 7 3257 1928 +1329 whale_0x3ffa 0x850b00e0... BloXroute Max Profit
13933780 0 3123 1795 +1328 blockdaemon 0xac23f8cc... BloXroute Max Profit
13934470 5 3218 1890 +1328 coinbase 0xb4ce6162... Ultra Sound
13928823 5 3216 1890 +1326 nethermind_lido 0xac23f8cc... Flashbots
13933144 4 3196 1871 +1325 kiln 0xb26f9666... Aestus
13932683 5 3215 1890 +1325 kiln 0x82c466b9... Flashbots
13931267 3 3176 1852 +1324 solo_stakers Local Local
13934731 12 3347 2024 +1323 coinbase 0x857b0038... Ultra Sound
13930826 1 3137 1814 +1323 nethermind_lido 0x823e0146... Flashbots
13934782 6 3232 1909 +1323 0x850b00e0... BloXroute Regulated
13933158 3 3174 1852 +1322 everstake 0x8527d16c... Ultra Sound
13935290 0 3116 1795 +1321 coinbase 0x853b0078... Agnostic Gnosis
13933221 0 3116 1795 +1321 p2porg 0xb26f9666... BloXroute Regulated
13935326 5 3211 1890 +1321 everstake 0xb26f9666... Aestus
13935222 5 3210 1890 +1320 p2porg 0x8db2a99d... Flashbots
13935062 0 3114 1795 +1319 everstake 0x850b00e0... BloXroute Max Profit
13934908 1 3133 1814 +1319 solo_stakers 0x853b0078... Agnostic Gnosis
13935117 1 3133 1814 +1319 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13929221 7 3247 1928 +1319 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13932933 6 3226 1909 +1317 staked.us 0xb26f9666... Titan Relay
13933833 7 3245 1928 +1317 coinbase 0x850b00e0... Flashbots
13928711 0 3111 1795 +1316 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13931311 3 3167 1852 +1315 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13935140 3 3166 1852 +1314 bitstamp 0xb67eaa5e... BloXroute Max Profit
13934406 3 3165 1852 +1313 everstake 0x855b00e6... BloXroute Max Profit
13935232 0 3106 1795 +1311 cryptomanufaktur_lido 0xba003e46... Titan Relay
13932799 1 3123 1814 +1309 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13933771 1 3122 1814 +1308 nethermind_lido 0x8db2a99d... Ultra Sound
13932439 5 3198 1890 +1308 everstake 0x855b00e6... Flashbots
13934301 1 3121 1814 +1307 kiln 0x88a53ec4... BloXroute Regulated
13933512 2 3140 1833 +1307 nethermind_lido 0x8527d16c... Ultra Sound
13930439 10 3290 1985 +1305 blockdaemon 0xb26f9666... Titan Relay
13934583 0 3097 1795 +1302 bitstamp 0x88a53ec4... BloXroute Regulated
13934648 4 3173 1871 +1302 coinbase Local Local
13934588 5 3192 1890 +1302 kiln 0xb67eaa5e... BloXroute Regulated
13932761 1 3114 1814 +1300 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13932949 1 3114 1814 +1300 p2porg 0x856b0004... Aestus
13931420 1 3114 1814 +1300 p2porg 0x850b00e0... BloXroute Max Profit
13931240 5 3190 1890 +1300 whale_0x8ebd 0x8db2a99d... Aestus
13929878 10 3283 1985 +1298 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13933644 1 3111 1814 +1297 0xb26f9666... EthGas
13929646 2 3130 1833 +1297 blockdaemon_lido 0x88857150... Ultra Sound
13931878 5 3186 1890 +1296 kiln 0x853b0078... BloXroute Max Profit
13934911 8 3243 1947 +1296 p2porg 0x850b00e0... BloXroute Regulated
13933191 3 3147 1852 +1295 coinbase 0x8db2a99d... Ultra Sound
13930724 0 3089 1795 +1294 blockdaemon 0xb67eaa5e... BloXroute Regulated
13933320 0 3088 1795 +1293 kraken 0xb26f9666... Titan Relay
13935277 6 3202 1909 +1293 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13932943 5 3182 1890 +1292 p2porg 0x8527d16c... Ultra Sound
13929185 6 3201 1909 +1292 nethermind_lido 0x823e0146... Flashbots
13931496 5 3181 1890 +1291 whale_0xedc6 0xb67eaa5e... Aestus
13933577 6 3199 1909 +1290 p2porg 0xb67eaa5e... BloXroute Regulated
13934758 0 3083 1795 +1288 nethermind_lido 0x823e0146... Ultra Sound
13929088 5 3178 1890 +1288 p2porg 0x856b0004... Agnostic Gnosis
13933157 5 3178 1890 +1288 coinbase 0x856b0004... Agnostic Gnosis
13933505 0 3082 1795 +1287 ether.fi 0xb26f9666... EthGas
13933575 1 3099 1814 +1285 p2porg 0x853b0078... Agnostic Gnosis
13934360 0 3079 1795 +1284 kiln 0x8527d16c... Ultra Sound
13931435 0 3079 1795 +1284 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
13932135 2 3116 1833 +1283 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
Total anomalies: 334

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