Tue, Mar 31, 2026

Propagation anomalies - 2026-03-31

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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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-31' AND slot_start_date_time < '2026-03-31'::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: 5,386
MEV blocks: 4,447 (82.6%)
Local blocks: 939 (17.4%)

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 = 1750.2 + 17.50 × blob_count (R² = 0.010)
Residual σ = 613.0ms
Anomalies (>2σ slow): 300 (5.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
14010753 0 5976 1750 +4226 solo_stakers Local Local
14010465 6 5574 1855 +3719 blockdaemon Local Local
14010974 0 5383 1750 +3633 whale_0x8ebd Local Local
14008465 0 4494 1750 +2744 liquid_collective Local Local
14010761 0 4389 1750 +2639 whale_0x8ebd Local Local
14014245 0 4075 1750 +2325 ether.fi Local Local
14011883 0 4046 1750 +2296 nethermind_lido Local Local
14012047 0 3988 1750 +2238 nethermind_lido Local Local
14008645 0 3813 1750 +2063 kraken 0x82c466b9... EthGas
14012699 0 3803 1750 +2053 solo_stakers Local Local
14014107 0 3772 1750 +2022 blockdaemon Local Local
14008451 1 3753 1768 +1985 ether.fi 0xb67eaa5e... BloXroute Regulated
14009319 1 3753 1768 +1985 blockdaemon_lido 0x823e0146... Ultra Sound
14008640 13 3911 1978 +1933 nethermind_lido 0x856b0004... Aestus
14010935 1 3689 1768 +1921 blockdaemon 0x856b0004... BloXroute Max Profit
14008320 5 3740 1838 +1902 figment 0x8527d16c... Ultra Sound
14008992 1 3648 1768 +1880 0x88a53ec4... BloXroute Regulated
14012611 0 3607 1750 +1857 nethermind_lido 0xb26f9666... Aestus
14007840 5 3692 1838 +1854 blockdaemon 0xb67eaa5e... BloXroute Regulated
14011956 0 3536 1750 +1786 p2porg 0x8527d16c... Ultra Sound
14014170 2 3571 1785 +1786 nethermind_lido Local Local
14009458 1 3549 1768 +1781 whale_0x8ebd 0x857b0038... Ultra Sound
14008979 1 3521 1768 +1753 coinbase 0xac23f8cc... Aestus
14009911 0 3500 1750 +1750 blockdaemon 0x8a850621... Titan Relay
14009169 7 3609 1873 +1736 blockdaemon_lido 0x8527d16c... Ultra Sound
14008467 7 3604 1873 +1731 kraken Local Local
14011773 11 3664 1943 +1721 coinbase 0x856b0004... Aestus
14009184 6 3562 1855 +1707 kraken 0x8527d16c... Ultra Sound
14011695 1 3470 1768 +1702 coinbase 0x856b0004... Aestus
14012551 1 3468 1768 +1700 mantle Local Local
14009397 5 3529 1838 +1691 nethermind_lido 0x8527d16c... Ultra Sound
14011790 9 3596 1908 +1688 kraken 0x8527d16c... EthGas
14009364 0 3427 1750 +1677 everstake 0x8527d16c... Ultra Sound
14010613 6 3532 1855 +1677 stader 0x853b0078... Aestus
14011944 0 3418 1750 +1668 kraken 0x82c466b9... EthGas
14010104 1 3428 1768 +1660 nethermind_lido 0x88857150... Ultra Sound
14010416 0 3409 1750 +1659 blockdaemon_lido 0xb67eaa5e... Titan Relay
14011642 8 3538 1890 +1648 lido 0x856b0004... Agnostic Gnosis
14010176 0 3392 1750 +1642 gateway.fmas_lido 0x8527d16c... Ultra Sound
14011371 7 3513 1873 +1640 blockdaemon 0x850b00e0... Ultra Sound
14010946 6 3492 1855 +1637 ether.fi 0xb26f9666... Titan Relay
14008430 0 3386 1750 +1636 solo_stakers 0x8db2a99d... Aestus
14008573 10 3559 1925 +1634 coinbase 0xac23f8cc... BloXroute Max Profit
14007644 0 3381 1750 +1631 nethermind_lido 0x88857150... Ultra Sound
14011264 0 3373 1750 +1623 gateway.fmas_lido 0x88857150... Ultra Sound
14008379 1 3387 1768 +1619 blockdaemon 0x8527d16c... Ultra Sound
14011770 0 3369 1750 +1619 luno 0xb67eaa5e... BloXroute Regulated
14011280 0 3368 1750 +1618 ether.fi 0xb26f9666... Titan Relay
14008352 0 3367 1750 +1617 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
14010499 1 3370 1768 +1602 blockdaemon 0x8a850621... Titan Relay
14012026 0 3346 1750 +1596 blockdaemon 0xa10f2964... Ultra Sound
14008959 1 3363 1768 +1595 whale_0xdc8d 0xb67eaa5e... BloXroute Max Profit
14009773 0 3342 1750 +1592 blockdaemon 0xb67eaa5e... BloXroute Max Profit
14007756 3 3390 1803 +1587 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
14011061 5 3425 1838 +1587 nethermind_lido 0xb5a65d00... Aestus
14012253 2 3370 1785 +1585 blockdaemon Local Local
14008829 0 3334 1750 +1584 0x856b0004... Ultra Sound
14010016 5 3420 1838 +1582 revolut 0x853b0078... BloXroute Regulated
14011166 5 3409 1838 +1571 nethermind_lido 0x8db2a99d... Flashbots
14014149 2 3350 1785 +1565 liquid_collective 0x823e0146... Ultra Sound
14009270 8 3455 1890 +1565 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14013283 1 3331 1768 +1563 Local Local
14009039 10 3483 1925 +1558 blockdaemon 0x856b0004... Ultra Sound
14011860 8 3447 1890 +1557 blockdaemon 0x88857150... Ultra Sound
14013870 2 3339 1785 +1554 blockdaemon_lido Local Local
14008338 1 3321 1768 +1553 blockdaemon 0x853b0078... Ultra Sound
14010418 1 3316 1768 +1548 blockdaemon 0x856b0004... Ultra Sound
14011187 2 3332 1785 +1547 nethermind_lido 0xb5a65d00... Aestus
14012729 4 3367 1820 +1547 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
14011459 3 3346 1803 +1543 luno 0x88a53ec4... BloXroute Regulated
14008851 0 3293 1750 +1543 luno 0x88a53ec4... BloXroute Regulated
14008127 0 3291 1750 +1541 blockdaemon 0xb7c5e609... BloXroute Regulated
14010892 5 3369 1838 +1531 blockdaemon 0x850b00e0... BloXroute Regulated
14010081 2 3311 1785 +1526 blockdaemon_lido 0xb26f9666... Titan Relay
14008357 0 3270 1750 +1520 blockdaemon 0x8527d16c... Ultra Sound
14007838 7 3392 1873 +1519 p2porg 0x850b00e0... Ultra Sound
14012401 0 3264 1750 +1514 liquid_collective Local Local
14008093 12 3469 1960 +1509 lido 0x91b123d8... Titan Relay
14009735 1 3273 1768 +1505 whale_0xdc8d 0xb26f9666... Titan Relay
14010073 1 3272 1768 +1504 whale_0xdc8d 0x8db2a99d... Ultra Sound
14011492 6 3358 1855 +1503 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
14011552 5 3339 1838 +1501 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14012588 2 3283 1785 +1498 whale_0x8ebd Local Local
14013726 3 3298 1803 +1495 coinbase 0xb67eaa5e... BloXroute Max Profit
14013388 1 3262 1768 +1494 blockdaemon 0x823e0146... Ultra Sound
14013540 0 3243 1750 +1493 blockdaemon 0x8527d16c... Ultra Sound
14010387 11 3427 1943 +1484 0xb67eaa5e... BloXroute Regulated
14013137 0 3234 1750 +1484 whale_0x8ebd Local Local
14007745 5 3316 1838 +1478 whale_0xdc8d 0xb26f9666... Titan Relay
14009947 0 3223 1750 +1473 whale_0xdc8d 0x8db2a99d... BloXroute Max Profit
14009284 0 3219 1750 +1469 blockdaemon_lido 0xb26f9666... Titan Relay
14010332 11 3411 1943 +1468 nethermind_lido 0xb5a65d00... Aestus
14012705 0 3216 1750 +1466 blockdaemon_lido Local Local
14009672 0 3216 1750 +1466 revolut 0xb26f9666... Titan Relay
14008778 12 3425 1960 +1465 blockdaemon_lido 0x850b00e0... BloXroute Regulated
14011519 6 3317 1855 +1462 whale_0xdc8d 0xb26f9666... Titan Relay
14011396 6 3313 1855 +1458 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14008020 0 3207 1750 +1457 0xb67eaa5e... BloXroute Max Profit
14012610 6 3312 1855 +1457 solo_stakers Local Local
14010902 9 3361 1908 +1453 0x853b0078... Ultra Sound
14013435 1 3218 1768 +1450 p2porg Local Local
14008967 0 3200 1750 +1450 kraken 0x82c466b9... EthGas
14009237 0 3200 1750 +1450 blockdaemon_lido 0x85fb0503... BloXroute Max Profit
14009086 2 3230 1785 +1445 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14009509 0 3194 1750 +1444 blockdaemon_lido 0x88857150... Ultra Sound
14013336 2 3229 1785 +1444 p2porg 0x850b00e0... BloXroute Regulated
14013801 3 3244 1803 +1441 coinbase Local Local
14008097 10 3366 1925 +1441 0xb26f9666... EthGas
14008554 9 3344 1908 +1436 blockdaemon 0xb26f9666... Titan Relay
14008351 0 3186 1750 +1436 p2porg 0xb211df49... Agnostic Gnosis
14008989 1 3202 1768 +1434 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
14008550 6 3288 1855 +1433 kiln 0xb67eaa5e... BloXroute Max Profit
14008884 5 3270 1838 +1432 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
14007801 8 3320 1890 +1430 blockdaemon 0x8527d16c... Ultra Sound
14013270 2 3214 1785 +1429 p2porg 0x856b0004... Ultra Sound
14008345 0 3178 1750 +1428 whale_0x8ebd 0x8db2a99d... Aestus
14009641 1 3194 1768 +1426 everstake 0xb5a65d00... Aestus
14010654 1 3190 1768 +1422 revolut 0xb26f9666... Titan Relay
14010496 3 3225 1803 +1422 p2porg 0x8db2a99d... Flashbots
14009880 0 3169 1750 +1419 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14013600 0 3169 1750 +1419 bitstamp Local Local
14014549 2 3202 1785 +1417 kiln 0xb67eaa5e... BloXroute Max Profit
14011919 0 3166 1750 +1416 kraken 0x82c466b9... EthGas
14008234 8 3306 1890 +1416 blockdaemon_lido 0xb26f9666... Titan Relay
14012407 1 3181 1768 +1413 coinbase Local Local
14011867 5 3249 1838 +1411 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
14014719 0 3161 1750 +1411 blockdaemon_lido Local Local
14009973 6 3266 1855 +1411 coinbase 0xb67eaa5e... BloXroute Regulated
14009464 3 3211 1803 +1408 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14013576 3 3207 1803 +1404 p2porg Local Local
14014284 0 3154 1750 +1404 gateway.fmas_lido Local Local
14013513 2 3187 1785 +1402 p2porg Local Local
14010755 6 3257 1855 +1402 p2porg 0x850b00e0... BloXroute Regulated
14011936 1 3166 1768 +1398 blockdaemon 0x88857150... Ultra Sound
14008070 0 3148 1750 +1398 blockdaemon 0x88a53ec4... BloXroute Regulated
14013461 2 3181 1785 +1396 stader Local Local
14008882 0 3145 1750 +1395 kiln 0x8527d16c... Ultra Sound
14010464 2 3179 1785 +1394 0x853b0078... Agnostic Gnosis
14012003 5 3231 1838 +1393 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
14011774 0 3143 1750 +1393 coinbase 0x855b00e6... BloXroute Max Profit
14009078 0 3143 1750 +1393 kiln 0xb5a65d00... Aestus
14010585 21 3509 2118 +1391 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14011662 0 3139 1750 +1389 gateway.fmas_lido 0x8527d16c... Ultra Sound
14010347 6 3243 1855 +1388 coinbase 0xb67eaa5e... BloXroute Max Profit
14014784 1 3155 1768 +1387 whale_0x8ebd Local Local
14011532 6 3242 1855 +1387 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
14007822 0 3131 1750 +1381 p2porg 0x850b00e0... BloXroute Regulated
14011440 0 3131 1750 +1381 revolut 0xb26f9666... Titan Relay
14011681 5 3217 1838 +1379 blockdaemon 0xb26f9666... Titan Relay
14013205 3 3181 1803 +1378 whale_0x8ebd Local Local
14012433 0 3127 1750 +1377 whale_0x8ebd Local Local
14009183 1 3144 1768 +1376 0x853b0078... BloXroute Max Profit
14013303 0 3126 1750 +1376 gateway.fmas_lido 0x88857150... Ultra Sound
14011888 1 3143 1768 +1375 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
14008881 2 3159 1785 +1374 0x856b0004... Ultra Sound
14009670 5 3211 1838 +1373 blockdaemon 0xb26f9666... Titan Relay
14012734 0 3122 1750 +1372 kiln Local Local
14009142 5 3208 1838 +1370 whale_0x8ebd 0x88857150... Ultra Sound
14010870 0 3120 1750 +1370 p2porg 0x850b00e0... BloXroute Regulated
14011352 1 3137 1768 +1369 blockdaemon 0x850b00e0... BloXroute Max Profit
14008689 1 3134 1768 +1366 coinbase 0xb4ce6162... Ultra Sound
14007636 5 3199 1838 +1361 gateway.fmas_lido 0x8527d16c... Ultra Sound
14010697 0 3111 1750 +1361 blockdaemon 0x851b00b1... BloXroute Max Profit
14008772 3 3163 1803 +1360 gateway.fmas_lido 0x8527d16c... Ultra Sound
14009012 1 3127 1768 +1359 kiln 0x8db2a99d... Flashbots
14010959 10 3284 1925 +1359 blockdaemon 0xb26f9666... Titan Relay
14010036 5 3196 1838 +1358 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14009874 6 3212 1855 +1357 blockdaemon_lido 0xb67eaa5e... Titan Relay
14008630 0 3105 1750 +1355 p2porg 0x823e0146... BloXroute Max Profit
14012029 12 3315 1960 +1355 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
14014401 1 3119 1768 +1351 everstake Local Local
14012247 3 3154 1803 +1351 Local Local
14008619 2 3136 1785 +1351 whale_0x8ebd 0xb26f9666... Titan Relay
14012005 4 3170 1820 +1350 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14010844 1 3113 1768 +1345 gateway.fmas_lido 0x823e0146... Ultra Sound
14007736 0 3095 1750 +1345 whale_0x8ebd 0x8527d16c... Ultra Sound
14012125 0 3094 1750 +1344 coinbase 0xb67eaa5e... BloXroute Max Profit
14009782 8 3233 1890 +1343 p2porg 0x850b00e0... BloXroute Max Profit
14009251 1 3110 1768 +1342 p2porg 0x856b0004... Agnostic Gnosis
14010730 0 3090 1750 +1340 p2porg 0x823e0146... Aestus
14011917 1 3104 1768 +1336 p2porg 0x855b00e6... BloXroute Max Profit
14009021 3 3139 1803 +1336 whale_0x8ebd 0x8527d16c... Ultra Sound
14009919 4 3156 1820 +1336 figment 0x85fb0503... BloXroute Max Profit
14011169 0 3085 1750 +1335 p2porg 0xb26f9666... BloXroute Max Profit
14012101 0 3085 1750 +1335 p2porg Local Local
14007990 1 3100 1768 +1332 coinbase 0x856b0004... BloXroute Max Profit
14008315 5 3165 1838 +1327 figment 0xb67eaa5e... BloXroute Regulated
14013170 0 3075 1750 +1325 whale_0x8ebd Local Local
14008531 0 3075 1750 +1325 coinbase 0xb67eaa5e... Aestus
14008156 0 3074 1750 +1324 whale_0x8ebd 0xb26f9666... Titan Relay
14011138 8 3214 1890 +1324 bitstamp 0x850b00e0... BloXroute Max Profit
14011152 0 3071 1750 +1321 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14009839 12 3281 1960 +1321 p2porg 0x850b00e0... BloXroute Max Profit
14011358 0 3070 1750 +1320 p2porg 0x850b00e0... BloXroute Regulated
14010369 1 3085 1768 +1317 p2porg 0x823e0146... Ultra Sound
14009733 0 3067 1750 +1317 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14011471 5 3151 1838 +1313 blockdaemon 0x88857150... Ultra Sound
14011308 2 3098 1785 +1313 coinbase 0xb26f9666... Aestus
14009899 1 3080 1768 +1312 whale_0x8ebd 0x8527d16c... Ultra Sound
14008453 3 3115 1803 +1312 p2porg 0x853b0078... Agnostic Gnosis
14010484 0 3061 1750 +1311 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14008313 2 3095 1785 +1310 coinbase 0x857b0038... Ultra Sound
14009496 4 3129 1820 +1309 kiln 0x8db2a99d... Aestus
14008583 0 3058 1750 +1308 kiln 0xb26f9666... Titan Relay
14009337 5 3145 1838 +1307 kiln 0xb67eaa5e... BloXroute Max Profit
14007694 0 3057 1750 +1307 whale_0x8ebd 0xb26f9666... Titan Relay
14012327 1 3074 1768 +1306 p2porg 0xb26f9666... BloXroute Max Profit
14011053 6 3161 1855 +1306 blockdaemon_lido 0x853b0078... BloXroute Max Profit
14010918 6 3161 1855 +1306 gateway.fmas_lido 0x8527d16c... Ultra Sound
14009349 1 3070 1768 +1302 p2porg 0x8527d16c... Ultra Sound
14009860 9 3210 1908 +1302 everstake 0x850b00e0... BloXroute Max Profit
14011896 11 3245 1943 +1302 whale_0x8ebd 0xac23f8cc... Ultra Sound
14008683 0 3052 1750 +1302 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14011410 1 3067 1768 +1299 0xb26f9666... BloXroute Max Profit
14009789 0 3045 1750 +1295 everstake 0xb211df49... Agnostic Gnosis
14009686 5 3132 1838 +1294 whale_0xedc6 0x856b0004... Agnostic Gnosis
14008504 6 3149 1855 +1294 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14012011 8 3183 1890 +1293 gateway.fmas_lido 0x8527d16c... Ultra Sound
14011019 2 3077 1785 +1292 p2porg 0xb67eaa5e... Aestus
14008238 5 3129 1838 +1291 whale_0x8ebd 0xb4ce6162... Ultra Sound
14011511 7 3164 1873 +1291 p2porg 0x856b0004... Aestus
14007662 0 3041 1750 +1291 coinbase 0xb7c5e609... BloXroute Max Profit
14009786 0 3041 1750 +1291 coinbase 0x88a53ec4... BloXroute Regulated
14009182 1 3058 1768 +1290 coinbase 0x8527d16c... Ultra Sound
14009654 0 3039 1750 +1289 kiln 0x88a53ec4... BloXroute Max Profit
14013514 4 3108 1820 +1288 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14009753 1 3055 1768 +1287 whale_0x8ebd 0x8db2a99d... Aestus
14010301 0 3037 1750 +1287 figment 0x805e28e6... BloXroute Regulated
14010300 5 3124 1838 +1286 coinbase 0x856b0004... BloXroute Max Profit
14009130 0 3035 1750 +1285 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14013634 0 3035 1750 +1285 kiln Local Local
14009230 1 3050 1768 +1282 p2porg 0x823e0146... Flashbots
14011064 0 3031 1750 +1281 whale_0x8ebd 0x823e0146... BloXroute Max Profit
14011958 5 3117 1838 +1279 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
14009260 0 3029 1750 +1279 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
14009048 1 3046 1768 +1278 whale_0x8ebd 0x85fb0503... BloXroute Max Profit
14009817 1 3045 1768 +1277 coinbase 0x8527d16c... Ultra Sound
14008742 11 3220 1943 +1277 blockdaemon 0xb26f9666... Titan Relay
14009075 10 3202 1925 +1277 whale_0x8ebd 0x88857150... Ultra Sound
14010266 1 3044 1768 +1276 p2porg 0xb26f9666... BloXroute Max Profit
14008736 0 3026 1750 +1276 whale_0x8ebd 0xb26f9666... Titan Relay
14011505 6 3131 1855 +1276 coinbase 0xb67eaa5e... BloXroute Regulated
14012074 2 3060 1785 +1275 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14009695 1 3041 1768 +1273 coinbase 0xac23f8cc... Flashbots
14013444 2 3058 1785 +1273 coinbase Local Local
14008208 14 3268 1995 +1273 whale_0x2d2a 0x8527d16c... Ultra Sound
14008187 1 3040 1768 +1272 kiln 0xb7c5e609... BloXroute Max Profit
14008725 5 3110 1838 +1272 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14011404 10 3195 1925 +1270 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14007862 2 3053 1785 +1268 whale_0x8ebd 0x8527d16c... Ultra Sound
14009288 5 3105 1838 +1267 whale_0x8ebd 0x85fb0503... BloXroute Max Profit
14013475 0 3017 1750 +1267 everstake 0x823e0146... Aestus
14009242 0 3016 1750 +1266 everstake 0xb5a65d00... Aestus
14011809 0 3015 1750 +1265 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14010236 10 3188 1925 +1263 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14011202 0 3011 1750 +1261 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14011638 6 3116 1855 +1261 whale_0x8ebd 0x8527d16c... Ultra Sound
14011465 1 3028 1768 +1260 coinbase 0xb26f9666... Titan Relay
14009740 1 3028 1768 +1260 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14013847 2 3045 1785 +1260 kiln Local Local
14013110 1 3027 1768 +1259 kiln Local Local
14014473 0 3009 1750 +1259 coinbase 0x853b0078... Agnostic Gnosis
14007680 12 3219 1960 +1259 whale_0x8ebd 0x88857150... Ultra Sound
14011950 10 3183 1925 +1258 everstake 0x8527d16c... Ultra Sound
14010181 1 3024 1768 +1256 whale_0x8ebd 0xb26f9666... Titan Relay
14008758 5 3094 1838 +1256 kiln 0x856b0004... Agnostic Gnosis
14009008 0 3005 1750 +1255 whale_0x8ebd 0x8527d16c... Ultra Sound
14008089 3 3057 1803 +1254 whale_0x8ebd 0x853b0078... Aestus
14011601 5 3092 1838 +1254 p2porg 0xb26f9666... BloXroute Max Profit
14011319 1 3021 1768 +1253 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
14011332 0 3003 1750 +1253 coinbase 0xb26f9666... Titan Relay
14011458 5 3090 1838 +1252 p2porg 0x8db2a99d... Flashbots
14012072 10 3176 1925 +1251 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14009766 3 3053 1803 +1250 whale_0x8ebd 0x8db2a99d... Ultra Sound
14007794 1 3016 1768 +1248 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14009917 5 3086 1838 +1248 p2porg 0x88857150... Ultra Sound
14009767 1 3015 1768 +1247 kiln 0xb67eaa5e... BloXroute Max Profit
14009785 8 3137 1890 +1247 gateway.fmas_lido 0xb26f9666... Titan Relay
14009903 0 2995 1750 +1245 everstake 0xb4ce6162... Ultra Sound
14008530 0 2994 1750 +1244 coinbase 0xb67eaa5e... BloXroute Max Profit
14010949 4 3064 1820 +1244 lido Local Local
14008872 5 3079 1838 +1241 everstake 0xb5a65d00... Aestus
14008559 9 3149 1908 +1241 kiln 0x8527d16c... Ultra Sound
14008746 20 3341 2100 +1241 coinbase 0x88a53ec4... BloXroute Regulated
14013896 0 2990 1750 +1240 whale_0x8ebd Local Local
14012446 0 2989 1750 +1239 everstake 0x823e0146... Aestus
14013883 0 2988 1750 +1238 whale_0x8ebd 0x856b0004... Aestus
14007629 0 2986 1750 +1236 coinbase 0xb67eaa5e... BloXroute Regulated
14009449 4 3054 1820 +1234 kiln 0x856b0004... Aestus
14013579 3 3035 1803 +1232 everstake 0x850b00e0... BloXroute Max Profit
14009307 0 2982 1750 +1232 kiln 0x88a53ec4... BloXroute Max Profit
14012202 4 3052 1820 +1232 whale_0x8ebd Local Local
14008939 0 2981 1750 +1231 0x82c466b9... EthGas
14010526 0 2981 1750 +1231 p2porg 0xb26f9666... BloXroute Max Profit
14012198 2 3016 1785 +1231 whale_0x8ebd 0x856b0004... Aestus
14011727 8 3120 1890 +1230 everstake 0x88a53ec4... BloXroute Regulated
14011294 1 2996 1768 +1228 p2porg 0xb26f9666... BloXroute Max Profit
14011451 4 3048 1820 +1228 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
14013219 1 2995 1768 +1227 kiln Local Local
14008548 0 2977 1750 +1227 coinbase 0xb26f9666... Titan Relay
Total anomalies: 300

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