Tue, Mar 17, 2026

Propagation anomalies - 2026-03-17

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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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-17' AND slot_start_date_time < '2026-03-17'::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,175
MEV blocks: 6,658 (92.8%)
Local blocks: 517 (7.2%)

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 = 1831.0 + 19.62 × blob_count (R² = 0.013)
Residual σ = 667.9ms
Anomalies (>2σ slow): 269 (3.7%)
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
13907104 6 10518 1949 +8569 solo_stakers Local Local
13913856 0 6577 1831 +4746 abyss_finance Local Local
13911488 0 5234 1831 +3403 upbit Local Local
13909216 0 4973 1831 +3142 upbit Local Local
13912758 0 4942 1831 +3111 solo_stakers Local Local
13909792 8 5002 1988 +3014 upbit Local Local
13913919 1 4565 1851 +2714 whale_0x8ebd 0x8527d16c... Ultra Sound
13910048 0 4533 1831 +2702 upbit Local Local
13911162 0 4483 1831 +2652 whale_0x8ebd Local Local
13910915 0 4456 1831 +2625 whale_0x8ebd Local Local
13913984 1 4450 1851 +2599 bridgetower_lido Local Local
13910827 0 4412 1831 +2581 whale_0x8ebd Local Local
13913985 0 4355 1831 +2524 stakin_lido Local Local
13906840 5 4434 1929 +2505 ether.fi 0x8a850621... EthGas
13907200 0 4244 1831 +2413 ether.fi Local Local
13913926 0 4200 1831 +2369 whale_0x8ebd Local Local
13912500 0 4193 1831 +2362 nethermind_lido Local Local
13907168 4 4221 1909 +2312 whale_0x8ebd 0x8db2a99d... Flashbots
13908819 0 4136 1831 +2305 kiln Local Local
13910840 0 4131 1831 +2300 whale_0x8ebd Local Local
13913992 0 4068 1831 +2237 ether.fi Local Local
13911229 0 4048 1831 +2217 whale_0x8ebd Local Local
13907904 2 4086 1870 +2216 coinbase Local Local
13907325 10 4228 2027 +2201 nethermind_lido 0xb26f9666... Titan Relay
13911712 0 4015 1831 +2184 stakefish Local Local
13910609 0 3997 1831 +2166 Local Local
13907895 0 3929 1831 +2098 ether.fi 0xb67eaa5e... EthGas
13907214 10 4095 2027 +2068 kraken 0x8527d16c... EthGas
13912481 14 4173 2106 +2067 stader 0x853b0078... Agnostic Gnosis
13910950 0 3848 1831 +2017 whale_0x8ebd Local Local
13906892 15 4135 2125 +2010 coinbase 0x8db2a99d... Aestus
13911803 0 3822 1831 +1991 ether.fi Local Local
13908160 0 3814 1831 +1983 everstake Local Local
13909793 0 3781 1831 +1950 kraken Local Local
13906952 0 3772 1831 +1941 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13912656 0 3770 1831 +1939 nethermind_lido 0x8527d16c... Ultra Sound
13907475 0 3759 1831 +1928 blockdaemon 0xb4ce6162... Ultra Sound
13913175 3 3800 1890 +1910 whale_0x8ebd 0x857b0038... Ultra Sound
13913746 0 3735 1831 +1904 coinbase 0x8527d16c... Ultra Sound
13913867 0 3735 1831 +1904 coinbase 0x8527d16c... Ultra Sound
13907137 0 3723 1831 +1892 kraken 0xb26f9666... EthGas
13912844 0 3704 1831 +1873 blockdaemon 0xb26f9666... Titan Relay
13908481 0 3692 1831 +1861 solo_stakers Local Local
13910935 8 3846 1988 +1858 nethermind_lido 0xb26f9666... BloXroute Max Profit
13911954 0 3681 1831 +1850 blockdaemon 0x8a850621... Titan Relay
13912175 0 3638 1831 +1807 whale_0x8ebd 0x88857150... Ultra Sound
13912147 7 3768 1968 +1800 blockdaemon 0xb26f9666... Titan Relay
13913545 0 3627 1831 +1796 whale_0x8ebd 0x8527d16c... Ultra Sound
13913483 10 3809 2027 +1782 blockdaemon_lido 0x8527d16c... Ultra Sound
13912355 0 3610 1831 +1779 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13912090 5 3704 1929 +1775 blockdaemon 0x8527d16c... Ultra Sound
13911011 0 3604 1831 +1773 everstake 0x8a850621... Titan Relay
13907169 0 3604 1831 +1773 lido Local Local
13913444 13 3850 2086 +1764 whale_0x8ebd 0x8db2a99d... Aestus
13912721 5 3692 1929 +1763 lido 0x88a53ec4... BloXroute Regulated
13909280 1 3612 1851 +1761 whale_0xdc8d 0xb26f9666... Titan Relay
13912959 5 3683 1929 +1754 whale_0x8ebd 0xb4ce6162... Ultra Sound
13912096 1 3599 1851 +1748 coinbase 0xb26f9666... Titan Relay
13910141 0 3578 1831 +1747 whale_0x8ebd 0x88a53ec4... Aestus
13906847 0 3563 1831 +1732 0x852b0070... Agnostic Gnosis
13912158 9 3732 2007 +1725 coinbase Local Local
13906845 15 3840 2125 +1715 nethermind_lido 0x850b00e0... BloXroute Max Profit
13913012 5 3642 1929 +1713 whale_0x8ebd 0xb26f9666... Titan Relay
13912281 1 3562 1851 +1711 0x856b0004... Agnostic Gnosis
13912352 0 3535 1831 +1704 whale_0x8ebd 0x88857150... Ultra Sound
13912168 6 3650 1949 +1701 coinbase 0xb26f9666... Titan Relay
13907120 1 3551 1851 +1700 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13912992 6 3648 1949 +1699 bitstamp 0x8527d16c... Ultra Sound
13910931 0 3529 1831 +1698 everstake 0x8a850621... Titan Relay
13911097 0 3518 1831 +1687 blockdaemon_lido 0xb26f9666... Titan Relay
13910585 10 3710 2027 +1683 whale_0x8ebd 0xb26f9666... Titan Relay
13907678 5 3610 1929 +1681 whale_0x8ebd 0xb26f9666... Titan Relay
13913910 4 3583 1909 +1674 coinbase 0xb26f9666... Titan Relay
13906912 1 3524 1851 +1673 blockdaemon 0x88857150... Ultra Sound
13912007 6 3619 1949 +1670 whale_0x8ebd Local Local
13912130 0 3500 1831 +1669 everstake 0xb26f9666... Titan Relay
13913585 1 3518 1851 +1667 coinbase 0xb26f9666... Titan Relay
13910642 6 3616 1949 +1667 stader 0xb26f9666... Titan Relay
13910572 0 3494 1831 +1663 nethermind_lido 0xac23f8cc... Flashbots
13907189 1 3511 1851 +1660 kraken 0xb26f9666... Titan Relay
13907722 2 3523 1870 +1653 solo_stakers 0x8db2a99d... Aestus
13910748 1 3502 1851 +1651 ether.fi 0xb26f9666... EthGas
13913542 5 3577 1929 +1648 p2porg 0x8527d16c... Ultra Sound
13912062 0 3477 1831 +1646 p2porg 0xb26f9666... Titan Relay
13910581 5 3575 1929 +1646 everstake 0x853b0078... Agnostic Gnosis
13913017 1 3496 1851 +1645 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13911036 0 3472 1831 +1641 everstake 0xb26f9666... Titan Relay
13911004 0 3468 1831 +1637 p2porg 0x93b11bec... Agnostic Gnosis
13911798 5 3563 1929 +1634 ether.fi 0xb26f9666... EthGas
13907992 7 3601 1968 +1633 whale_0x8ebd 0x856b0004... Agnostic Gnosis
13912514 0 3461 1831 +1630 blockdaemon 0x8a850621... Titan Relay
13910919 0 3447 1831 +1616 everstake 0xb26f9666... Titan Relay
13908210 0 3445 1831 +1614 nethermind_lido 0xb26f9666... Titan Relay
13907336 0 3443 1831 +1612 everstake 0xb7c5e609... BloXroute Max Profit
13907105 0 3433 1831 +1602 simplystaking_lido Local Local
13912910 0 3431 1831 +1600 kiln 0xb26f9666... Titan Relay
13911777 11 3642 2047 +1595 coinbase Local Local
13907147 3 3480 1890 +1590 blockdaemon_lido 0x88857150... Ultra Sound
13908443 0 3415 1831 +1584 blockdaemon 0x8527d16c... Ultra Sound
13913003 1 3433 1851 +1582 everstake 0xb26f9666... Titan Relay
13913105 6 3529 1949 +1580 everstake 0x88857150... Ultra Sound
13912884 2 3448 1870 +1578 p2porg 0x8527d16c... Ultra Sound
13908496 3 3467 1890 +1577 blockdaemon 0xb4ce6162... Ultra Sound
13911096 8 3564 1988 +1576 p2porg 0xb67eaa5e... Aestus
13907018 2 3440 1870 +1570 coinbase 0xb4ce6162... Ultra Sound
13907353 11 3615 2047 +1568 whale_0x8ebd Local Local
13907987 0 3397 1831 +1566 ether.fi 0xb67eaa5e... Titan Relay
13908788 0 3396 1831 +1565 blockdaemon 0x8a850621... Ultra Sound
13911808 5 3494 1929 +1565 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13909794 6 3509 1949 +1560 blockdaemon 0x850b00e0... BloXroute Regulated
13913023 6 3508 1949 +1559 coinbase 0xb26f9666... Titan Relay
13912413 1 3409 1851 +1558 kraken 0xb26f9666... Titan Relay
13912047 7 3523 1968 +1555 kraken 0x82c466b9... EthGas
13913997 5 3481 1929 +1552 everstake 0xb26f9666... Titan Relay
13911889 13 3635 2086 +1549 coinbase 0xb26f9666... Titan Relay
13908672 7 3515 1968 +1547 bitstamp 0x855b00e6... BloXroute Max Profit
13907295 0 3377 1831 +1546 kraken 0xb26f9666... EthGas
13912609 1 3394 1851 +1543 ether.fi 0xb26f9666... EthGas
13913097 0 3371 1831 +1540 0x8527d16c... EthGas
13912108 6 3488 1949 +1539 everstake 0xb26f9666... Titan Relay
13908228 8 3521 1988 +1533 whale_0x8ebd 0x856b0004... Aestus
13911490 0 3364 1831 +1533 kraken 0xa0366397... Flashbots
13910161 5 3458 1929 +1529 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13910777 5 3458 1929 +1529 everstake 0xb26f9666... Titan Relay
13912945 0 3358 1831 +1527 everstake 0xb26f9666... Titan Relay
13911945 0 3357 1831 +1526 ether.fi 0xb26f9666... EthGas
13912614 5 3455 1929 +1526 everstake 0xb26f9666... Titan Relay
13913525 3 3409 1890 +1519 everstake 0xb26f9666... Titan Relay
13906927 0 3350 1831 +1519 blockdaemon_lido 0x852b0070... BloXroute Max Profit
13912461 17 3682 2164 +1518 p2porg 0x850b00e0... BloXroute Regulated
13909644 1 3365 1851 +1514 blockdaemon 0x8a850621... Titan Relay
13912906 5 3440 1929 +1511 kiln 0xb26f9666... Titan Relay
13908224 2 3381 1870 +1511 everstake_lido Local Local
13907342 1 3359 1851 +1508 kraken 0xb26f9666... EthGas
13912431 0 3329 1831 +1498 stader 0xb67eaa5e... BloXroute Regulated
13910785 5 3427 1929 +1498 everstake 0x8527d16c... Ultra Sound
13913356 2 3366 1870 +1496 blockdaemon 0x850b00e0... BloXroute Max Profit
13912516 5 3420 1929 +1491 everstake 0xb26f9666... Titan Relay
13913801 1 3341 1851 +1490 ether.fi 0x8527d16c... EthGas
13913295 5 3419 1929 +1490 whale_0x8ebd 0x88857150... Ultra Sound
13913533 6 3436 1949 +1487 figment 0xb4ce6162... Ultra Sound
13911768 3 3375 1890 +1485 nethermind_lido 0x8527d16c... Ultra Sound
13911936 6 3430 1949 +1481 blockscape_lido 0x8527d16c... Ultra Sound
13909812 0 3312 1831 +1481 whale_0xdc8d 0x8db2a99d... Ultra Sound
13910690 5 3408 1929 +1479 everstake 0xb4ce6162... Ultra Sound
13909622 7 3446 1968 +1478 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13912200 5 3405 1929 +1476 whale_0xdc8d 0x853b0078... BloXroute Max Profit
13907291 6 3423 1949 +1474 blockdaemon_lido 0x853b0078... Ultra Sound
13913006 0 3300 1831 +1469 everstake 0x8db2a99d... Flashbots
13908802 0 3298 1831 +1467 luno 0xb26f9666... Titan Relay
13907201 0 3296 1831 +1465 blockdaemon 0x83d6a6ab... BloXroute Regulated
13911543 1 3315 1851 +1464 coinbase 0x88a53ec4... Aestus
13912899 6 3413 1949 +1464 whale_0x8ebd 0xb4ce6162... Ultra Sound
13911010 6 3406 1949 +1457 whale_0xdc8d 0x853b0078... Ultra Sound
13912191 2 3326 1870 +1456 blockscape_lido 0x8db2a99d... Aestus
13912567 6 3403 1949 +1454 luno 0xb67eaa5e... BloXroute Regulated
13907067 1 3304 1851 +1453 coinbase 0xb67eaa5e... BloXroute Regulated
13913372 5 3382 1929 +1453 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13909247 6 3401 1949 +1452 whale_0xdc8d 0x8db2a99d... BloXroute Regulated
13912903 5 3380 1929 +1451 blockdaemon_lido 0x88857150... Ultra Sound
13906905 16 3595 2145 +1450 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13907157 0 3281 1831 +1450 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13912596 2 3320 1870 +1450 luno 0xb26f9666... Titan Relay
13907450 5 3374 1929 +1445 kiln 0xb26f9666... Titan Relay
13907477 5 3372 1929 +1443 ether.fi 0xb26f9666... EthGas
13911248 5 3366 1929 +1437 everstake 0xb26f9666... Titan Relay
13910675 3 3326 1890 +1436 blockdaemon 0x8527d16c... Ultra Sound
13908639 3 3326 1890 +1436 kiln 0x850b00e0... BloXroute Regulated
13909720 0 3267 1831 +1436 luno 0x852b0070... Ultra Sound
13912173 9 3443 2007 +1436 coinbase 0x88a53ec4... BloXroute Max Profit
13910622 1 3283 1851 +1432 blockdaemon_lido 0x823e0146... Ultra Sound
13912840 0 3263 1831 +1432 0x88857150... Ultra Sound
13913677 0 3262 1831 +1431 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13911013 0 3262 1831 +1431 bitstamp 0x88a53ec4... BloXroute Regulated
13908569 5 3360 1929 +1431 0xb26f9666... Titan Relay
13909206 6 3378 1949 +1429 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13906816 9 3436 2007 +1429 p2porg 0x850b00e0... BloXroute Regulated
13912922 0 3259 1831 +1428 blockdaemon_lido 0x88857150... Ultra Sound
13912731 0 3259 1831 +1428 whale_0x8ebd 0x8527d16c... Ultra Sound
13912238 1 3276 1851 +1425 blockdaemon 0x853b0078... BloXroute Regulated
13909356 0 3255 1831 +1424 nethermind_lido 0xac23f8cc... Ultra Sound
13909511 6 3372 1949 +1423 whale_0xdc8d 0xac23f8cc... BloXroute Regulated
13913625 12 3487 2066 +1421 everstake 0x857b0038... Ultra Sound
13911888 3 3310 1890 +1420 coinbase 0xb67eaa5e... BloXroute Regulated
13907156 0 3248 1831 +1417 blockdaemon 0x88857150... Ultra Sound
13912937 0 3248 1831 +1417 blockdaemon 0x8527d16c... Ultra Sound
13911902 0 3247 1831 +1416 nethermind_lido 0x8527d16c... Ultra Sound
13909597 1 3265 1851 +1414 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13912700 5 3343 1929 +1414 blockdaemon 0x853b0078... Ultra Sound
13908200 0 3243 1831 +1412 whale_0xc541 0x88857150... Ultra Sound
13909117 0 3242 1831 +1411 blockdaemon 0x85fb0503... BloXroute Regulated
13909387 5 3340 1929 +1411 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13909038 6 3359 1949 +1410 blockdaemon 0x850b00e0... BloXroute Max Profit
13908230 0 3241 1831 +1410 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13911335 5 3338 1929 +1409 whale_0xdc8d 0xb26f9666... Titan Relay
13908116 5 3338 1929 +1409 whale_0xdc8d 0xb26f9666... Titan Relay
13911763 1 3259 1851 +1408 blockdaemon 0xb4ce6162... Ultra Sound
13913640 6 3356 1949 +1407 revolut 0x85fb0503... BloXroute Regulated
13909983 0 3238 1831 +1407 nethermind_lido 0x851b00b1... BloXroute Max Profit
13906880 0 3238 1831 +1407 binance 0x851b00b1... Ultra Sound
13911143 6 3353 1949 +1404 luno 0x88a53ec4... BloXroute Regulated
13907709 2 3272 1870 +1402 coinbase 0xb67eaa5e... BloXroute Regulated
13913522 5 3330 1929 +1401 coinbase 0xb4ce6162... Ultra Sound
13910077 1 3251 1851 +1400 blockdaemon_lido 0x8db2a99d... Ultra Sound
13912968 11 3447 2047 +1400 nethermind_lido 0x8db2a99d... Flashbots
13907016 11 3445 2047 +1398 kiln 0x8527d16c... Ultra Sound
13907456 0 3229 1831 +1398 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13910832 5 3327 1929 +1398 whale_0x8ebd 0x823e0146... BloXroute Max Profit
13907845 0 3228 1831 +1397 whale_0x8ebd 0xb7c5fbdd... BloXroute Max Profit
13906824 5 3325 1929 +1396 revolut 0x88857150... Ultra Sound
13911732 5 3323 1929 +1394 figment 0xb26f9666... Titan Relay
13911815 4 3303 1909 +1394 whale_0x8ebd 0x857b0038... Ultra Sound
13907064 3 3282 1890 +1392 blockdaemon 0x8527d16c... Ultra Sound
13911935 1 3241 1851 +1390 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13909879 1 3240 1851 +1389 blockdaemon_lido 0xb26f9666... Titan Relay
13912682 1 3240 1851 +1389 ether.fi 0xb26f9666... EthGas
13911620 6 3338 1949 +1389 whale_0x8ebd 0x853b0078... Aestus
13907821 0 3217 1831 +1386 stakingfacilities_lido 0xb26f9666... Aestus
13910776 5 3314 1929 +1385 coinbase 0x8527d16c... Ultra Sound
13909592 5 3314 1929 +1385 0x88a53ec4... BloXroute Regulated
13912611 6 3332 1949 +1383 everstake 0x853b0078... Aestus
13911015 5 3312 1929 +1383 kraken 0xb26f9666... EthGas
13911648 6 3330 1949 +1381 whale_0xe389 0x853b0078... Ultra Sound
13909318 0 3211 1831 +1380 blockdaemon 0xb67eaa5e... BloXroute Regulated
13911928 1 3230 1851 +1379 coinbase 0x8527d16c... Ultra Sound
13908838 5 3307 1929 +1378 whale_0xdc8d 0xb26f9666... Titan Relay
13911923 0 3208 1831 +1377 kiln 0x852b0070... Agnostic Gnosis
13908596 0 3207 1831 +1376 whale_0x8ebd 0x852b0070... Agnostic Gnosis
13911200 0 3207 1831 +1376 csm_operator221_lido 0x8527d16c... Ultra Sound
13907743 0 3207 1831 +1376 whale_0x8ebd 0x855b00e6... Flashbots
13907065 10 3403 2027 +1376 everstake 0x823e0146... Flashbots
13912863 6 3324 1949 +1375 coinbase 0x88857150... Ultra Sound
13908700 5 3304 1929 +1375 blockdaemon 0x850b00e0... BloXroute Max Profit
13913979 1 3225 1851 +1374 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13906976 0 3205 1831 +1374 figment 0x853b0078... BloXroute Max Profit
13907239 4 3281 1909 +1372 revolut 0x8527d16c... Ultra Sound
13910822 0 3201 1831 +1370 coinbase 0xa1da2978... Ultra Sound
13910238 10 3394 2027 +1367 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13913819 5 3295 1929 +1366 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13907053 6 3312 1949 +1363 solo_stakers 0x850b00e0... BloXroute Max Profit
13912222 13 3447 2086 +1361 blockdaemon 0x8527d16c... Ultra Sound
13907396 0 3192 1831 +1361 blockdaemon_lido 0x8db2a99d... BloXroute Max Profit
13913589 0 3192 1831 +1361 bitstamp 0x88a53ec4... BloXroute Regulated
13907726 5 3290 1929 +1361 revolut 0xb67eaa5e... BloXroute Regulated
13909346 5 3290 1929 +1361 blockdaemon 0x8527d16c... Ultra Sound
13908388 8 3346 1988 +1358 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13907583 0 3189 1831 +1358 nethermind_lido 0x8527d16c... Ultra Sound
13913714 5 3287 1929 +1358 whale_0x8ebd 0x8527d16c... Ultra Sound
13913886 7 3325 1968 +1357 coinbase 0xb4ce6162... Ultra Sound
13912550 5 3282 1929 +1353 whale_0x8ebd 0x8527d16c... Ultra Sound
13913090 0 3183 1831 +1352 bitstamp 0x88857150... Ultra Sound
13907454 2 3222 1870 +1352 coinbase 0x856b0004... Agnostic Gnosis
13913131 6 3300 1949 +1351 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13911786 5 3280 1929 +1351 kraken 0xb26f9666... Titan Relay
13911971 15 3476 2125 +1351 whale_0xedc6 0x856b0004... Aestus
13913847 4 3256 1909 +1347 whale_0x8ebd 0x823e0146... Flashbots
13912506 0 3177 1831 +1346 whale_0x8ebd 0x85fb0503... BloXroute Max Profit
13909420 1 3196 1851 +1345 gateway.fmas_lido 0x8db2a99d... Ultra Sound
13912664 0 3176 1831 +1345 whale_0x8ebd 0x8527d16c... Ultra Sound
13908834 0 3175 1831 +1344 everstake 0x8527d16c... Ultra Sound
13906973 8 3331 1988 +1343 stakingfacilities_lido 0x853b0078... Aestus
13912801 3 3231 1890 +1341 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13912565 6 3289 1949 +1340 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13912938 5 3269 1929 +1340 coinbase 0x8527d16c... Ultra Sound
13911106 9 3347 2007 +1340 whale_0x8ebd 0x8db2a99d... Flashbots
13913081 0 3170 1831 +1339 stakingfacilities_lido 0xb67eaa5e... BloXroute Regulated
13911219 2 3209 1870 +1339 gateway.fmas_lido 0x856b0004... BloXroute Max Profit
13912196 7 3307 1968 +1339 whale_0x8ebd 0x8db2a99d... Ultra Sound
13909096 5 3266 1929 +1337 coinbase 0xb67eaa5e... BloXroute Regulated
Total anomalies: 269

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