Sun, Mar 1, 2026

Propagation anomalies - 2026-03-01

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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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-01' AND slot_start_date_time < '2026-03-01'::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,201
MEV blocks: 6,630 (92.1%)
Local blocks: 571 (7.9%)

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 = 1749.3 + 14.57 × blob_count (R² = 0.009)
Residual σ = 655.6ms
Anomalies (>2σ slow): 281 (3.9%)
Show code
# Create scatter plot with regression band
x_range = np.array([0, int(max_blobs)])
y_pred = intercept + slope * x_range
y_upper = y_pred + 2 * residual_std
y_lower = y_pred - 2 * residual_std

fig = go.Figure()

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

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

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

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

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

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

All propagation anomalies

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

Show code
# All anomalies table with selectable text and Lab links
if n_anomalies > 0:
    df_table = df_outliers.sort_values("residual_ms", ascending=False)[
        ["slot", "blob_count", "block_first_seen_ms", "expected_ms", "residual_ms", "proposer", "builder", "relay"]
    ].copy()
    df_table["block_first_seen_ms"] = df_table["block_first_seen_ms"].round(0).astype(int)
    df_table["expected_ms"] = df_table["expected_ms"].round(0).astype(int)
    df_table["residual_ms"] = df_table["residual_ms"].round(0).astype(int)
    
    # Build HTML table
    html = '''
    <style>
    .anomaly-table { border-collapse: collapse; width: 100%; font-family: monospace; font-size: 13px; }
    .anomaly-table th { background: #2c3e50; color: white; padding: 8px 12px; text-align: left; position: sticky; top: 0; }
    .anomaly-table td { padding: 6px 12px; border-bottom: 1px solid #eee; }
    .anomaly-table tr:hover { background: #f5f5f5; }
    .anomaly-table .num { text-align: right; }
    .anomaly-table .delta { background: #ffebee; color: #c62828; font-weight: bold; }
    .anomaly-table a { color: #1976d2; text-decoration: none; }
    .anomaly-table a:hover { text-decoration: underline; }
    .table-container { max-height: 600px; overflow-y: auto; }
    </style>
    <div class="table-container">
    <table class="anomaly-table">
    <thead>
    <tr><th>Slot</th><th class="num">Blobs</th><th class="num">Actual (ms)</th><th class="num">Expected (ms)</th><th class="num">Δ (ms)</th><th>Proposer</th><th>Builder</th><th>Relay</th></tr>
    </thead>
    <tbody>
    '''
    
    for _, row in df_table.iterrows():
        slot_link = f'<a href="https://lab.ethpandaops.io/ethereum/slots/{row["slot"]}" target="_blank">{row["slot"]}</a>'
        html += f'''<tr>
            <td>{slot_link}</td>
            <td class="num">{row["blob_count"]}</td>
            <td class="num">{row["block_first_seen_ms"]}</td>
            <td class="num">{row["expected_ms"]}</td>
            <td class="num delta">+{row["residual_ms"]}</td>
            <td>{row["proposer"]}</td>
            <td>{row["builder"]}</td>
            <td>{row["relay"]}</td>
        </tr>'''
    
    html += '</tbody></table></div>'
    display(HTML(html))
    print(f"\nTotal anomalies: {len(df_table):,}")
else:
    print("No anomalies detected.")
SlotBlobsActual (ms)Expected (ms)Δ (ms)ProposerBuilderRelay
13796085 0 17502 1749 +15753 solo_stakers Local Local
13794656 13 7573 1939 +5634 whale_0x3212 Local Local
13792960 3 5958 1793 +4165 upbit Local Local
13791808 0 4955 1749 +3206 upbit Local Local
13795520 0 4608 1749 +2859 upbit Local Local
13795877 0 4604 1749 +2855 whale_0xad1d Local Local
13796639 21 4657 2055 +2602 stakefish Local Local
13792208 0 4269 1749 +2520 stakefish Local Local
13795778 0 4114 1749 +2365 whale_0x5a43 Local Local
13794477 0 4099 1749 +2350 ether.fi Local Local
13792375 4 4005 1808 +2197 everstake 0x856b0004... Agnostic Gnosis
13797984 0 3941 1749 +2192 whale_0x8ebd Local Local
13794733 0 3931 1749 +2182 solo_stakers Local Local
13795130 6 3929 1837 +2092 stakefish Local Local
13793455 8 3946 1866 +2080 stakefish Local Local
13795129 6 3904 1837 +2067 stakefish Local Local
13796802 14 3966 1953 +2013 stakefish Local Local
13793652 0 3752 1749 +2003 kucoin Local Local
13791910 1 3656 1764 +1892 whale_0xdc8d 0x88857150... Ultra Sound
13797625 7 3729 1851 +1878 stakefish Local Local
13794628 1 3639 1764 +1875 stakefish Local Local
13794304 1 3636 1764 +1872 blockdaemon 0x856b0004... Ultra Sound
13794297 3 3646 1793 +1853 stakefish Local Local
13792704 0 3597 1749 +1848 stakefish Local Local
13791766 0 3594 1749 +1845 blockdaemon_lido 0x8527d16c... Ultra Sound
13796192 3 3628 1793 +1835 blockdaemon_lido 0x8527d16c... Ultra Sound
13792328 5 3656 1822 +1834 stakefish Local Local
13792499 10 3707 1895 +1812 stakefish Local Local
13795584 9 3691 1880 +1811 luno 0x88a53ec4... BloXroute Regulated
13794688 3 3600 1793 +1807 blockdaemon 0x850b00e0... BloXroute Max Profit
13798195 0 3544 1749 +1795 figment 0x853b0078... Titan Relay
13795255 4 3597 1808 +1789 blockdaemon 0xb26f9666... Titan Relay
13797065 1 3552 1764 +1788 figment 0x850b00e0... BloXroute Regulated
13797315 6 3618 1837 +1781 ether.fi 0xb26f9666... Titan Relay
13796584 3 3571 1793 +1778 everstake 0x853b0078... BloXroute Regulated
13793975 0 3521 1749 +1772 stakefish Local Local
13795874 12 3685 1924 +1761 everstake 0x88a53ec4... BloXroute Regulated
13798246 0 3501 1749 +1752 stakefish Local Local
13792961 0 3500 1749 +1751 kiln Local Local
13793445 9 3621 1880 +1741 ether.fi Local Local
13795427 8 3606 1866 +1740 blockdaemon 0x850b00e0... BloXroute Max Profit
13796395 18 3748 2012 +1736 blockdaemon 0x88857150... Ultra Sound
13793888 3 3515 1793 +1722 chainlayer_lido Local Local
13795510 2 3483 1778 +1705 whale_0x8ebd Local Local
13795991 4 3512 1808 +1704 blockdaemon 0x857b0038... Ultra Sound
13793687 7 3545 1851 +1694 stakefish Local Local
13791968 6 3519 1837 +1682 stakingfacilities_lido 0xb67eaa5e... BloXroute Regulated
13797121 3 3475 1793 +1682 everstake 0x8db2a99d... BloXroute Max Profit
13791756 8 3543 1866 +1677 blockdaemon_lido 0xb26f9666... Titan Relay
13794558 5 3496 1822 +1674 stakefish Local Local
13792367 7 3525 1851 +1674 everstake 0x88a53ec4... BloXroute Regulated
13791779 0 3418 1749 +1669 stakefish Local Local
13793978 1 3431 1764 +1667 blockdaemon 0x8a850621... Titan Relay
13791681 2 3444 1778 +1666 whale_0x8ebd 0x857b0038... Ultra Sound
13793658 8 3523 1866 +1657 everstake 0x856b0004... BloXroute Max Profit
13794897 6 3482 1837 +1645 whale_0xdc8d Local Local
13794528 1 3405 1764 +1641 revolut 0x88a53ec4... BloXroute Regulated
13793070 0 3376 1749 +1627 stakefish Local Local
13797760 5 3443 1822 +1621 bitstamp 0x850b00e0... BloXroute Max Profit
13792626 5 3440 1822 +1618 whale_0x8ebd 0x8527d16c... Ultra Sound
13793777 0 3367 1749 +1618 solo_stakers Local Local
13793930 10 3494 1895 +1599 blockdaemon 0x857b0038... Ultra Sound
13791952 1 3359 1764 +1595 stakely_lido 0x88a53ec4... BloXroute Regulated
13792628 2 3370 1778 +1592 blockdaemon 0x8a850621... Ultra Sound
13791864 2 3369 1778 +1591 blockdaemon 0x850b00e0... BloXroute Regulated
13793646 0 3337 1749 +1588 whale_0x8ebd 0x8527d16c... Ultra Sound
13796036 13 3524 1939 +1585 blockdaemon 0x855b00e6... BloXroute Max Profit
13798225 0 3332 1749 +1583 blockdaemon 0xb67eaa5e... BloXroute Regulated
13796481 1 3345 1764 +1581 whale_0xad1d Local Local
13797122 0 3324 1749 +1575 luno 0x88a53ec4... BloXroute Regulated
13794577 0 3320 1749 +1571 blockdaemon 0x823e0146... Ultra Sound
13797070 2 3349 1778 +1571 whale_0xdc8d 0x850b00e0... BloXroute Regulated
13795329 5 3392 1822 +1570 blockdaemon 0x850b00e0... BloXroute Max Profit
13798102 5 3391 1822 +1569 blockdaemon_lido 0x82c466b9... BloXroute Regulated
13793711 1 3331 1764 +1567 everstake 0xb26f9666... Titan Relay
13793744 2 3342 1778 +1564 blockdaemon_lido 0x88857150... Ultra Sound
13792808 10 3458 1895 +1563 blockdaemon 0xb67eaa5e... BloXroute Regulated
13794455 1 3326 1764 +1562 blockdaemon 0x8a850621... Titan Relay
13792436 0 3311 1749 +1562 everstake 0xb211df49... Agnostic Gnosis
13797895 6 3398 1837 +1561 blockdaemon 0x850b00e0... BloXroute Regulated
13796410 1 3325 1764 +1561 blockdaemon 0x8a850621... Titan Relay
13798496 2 3338 1778 +1560 p2porg 0x856b0004... Agnostic Gnosis
13798074 9 3437 1880 +1557 everstake 0xb26f9666... Titan Relay
13794418 15 3524 1968 +1556 everstake 0x8527d16c... Ultra Sound
13793850 10 3451 1895 +1556 everstake 0x8db2a99d... Ultra Sound
13797325 2 3334 1778 +1556 blockdaemon_lido 0x853b0078... Ultra Sound
13797975 6 3387 1837 +1550 blockdaemon 0x8a850621... Titan Relay
13798479 2 3328 1778 +1550 blockdaemon 0xb67eaa5e... BloXroute Regulated
13792796 1 3307 1764 +1543 blockdaemon 0xb67eaa5e... BloXroute Regulated
13793923 8 3408 1866 +1542 everstake 0x88857150... Ultra Sound
13793277 0 3291 1749 +1542 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13796099 1 3303 1764 +1539 blockdaemon 0x88a53ec4... BloXroute Regulated
13798634 5 3358 1822 +1536 everstake 0x8db2a99d... BloXroute Max Profit
13792801 5 3357 1822 +1535 everstake 0xb26f9666... Titan Relay
13796985 2 3313 1778 +1535 whale_0xdc8d 0x850b00e0... BloXroute Regulated
13796275 0 3283 1749 +1534 solo_stakers 0xb26f9666... BloXroute Max Profit
13796205 13 3470 1939 +1531 everstake 0xb26f9666... Titan Relay
13796265 4 3337 1808 +1529 blockdaemon_lido 0x8db2a99d... BloXroute Max Profit
13797579 1 3290 1764 +1526 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13794723 5 3340 1822 +1518 blockdaemon 0x850b00e0... BloXroute Regulated
13798051 0 3267 1749 +1518 solo_stakers 0x8527d16c... Ultra Sound
13794081 2 3291 1778 +1513 blockdaemon 0x853b0078... Ultra Sound
13795088 0 3259 1749 +1510 blockdaemon 0x850b00e0... BloXroute Regulated
13796804 6 3344 1837 +1507 revolut 0x850b00e0... BloXroute Regulated
13796851 0 3256 1749 +1507 blockdaemon 0xb26f9666... Titan Relay
13797966 6 3343 1837 +1506 blockdaemon 0x855b00e6... BloXroute Max Profit
13798429 0 3254 1749 +1505 everstake 0x8527d16c... Ultra Sound
13792250 18 3515 2012 +1503 whale_0x8ebd Local Local
13791960 13 3442 1939 +1503 0x856b0004... Agnostic Gnosis
13793092 3 3296 1793 +1503 blockdaemon 0x850b00e0... BloXroute Regulated
13794307 0 3251 1749 +1502 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13793317 0 3244 1749 +1495 luno 0x88a53ec4... BloXroute Regulated
13798502 0 3243 1749 +1494 blockdaemon_lido 0xb26f9666... Titan Relay
13793547 0 3243 1749 +1494 blockdaemon_lido 0x88857150... Ultra Sound
13792554 6 3330 1837 +1493 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13794051 1 3257 1764 +1493 blockdaemon 0x850b00e0... BloXroute Regulated
13798192 3 3283 1793 +1490 whale_0xdc8d 0x88a53ec4... BloXroute Max Profit
13792191 0 3236 1749 +1487 blockdaemon_lido 0x8527d16c... Ultra Sound
13793297 5 3303 1822 +1481 ether.fi 0xb26f9666... Titan Relay
13791917 5 3302 1822 +1480 blockdaemon 0xb67eaa5e... BloXroute Regulated
13796913 5 3302 1822 +1480 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13791717 1 3240 1764 +1476 everstake 0xb26f9666... Titan Relay
13796454 10 3371 1895 +1476 everstake 0x8527d16c... Ultra Sound
13792446 0 3225 1749 +1476 whale_0xdc8d 0xb26f9666... Titan Relay
13793369 6 3311 1837 +1474 blockdaemon 0x88a53ec4... BloXroute Regulated
13795917 0 3223 1749 +1474 0x8527d16c... Ultra Sound
13797664 0 3220 1749 +1471 p2porg 0xb67eaa5e... BloXroute Regulated
13796492 0 3219 1749 +1470 0x852b0070... Aestus
13797779 0 3219 1749 +1470 revolut 0xb26f9666... Titan Relay
13797137 6 3306 1837 +1469 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13792215 0 3218 1749 +1469 blockdaemon_lido 0xb26f9666... Titan Relay
13791900 10 3363 1895 +1468 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13795054 0 3213 1749 +1464 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13794804 3 3256 1793 +1463 kelp 0x93b11bec... Flashbots
13796219 0 3212 1749 +1463 revolut 0x82c466b9... BloXroute Regulated
13798081 10 3356 1895 +1461 everstake 0xb26f9666... Titan Relay
13796497 4 3268 1808 +1460 blockdaemon 0x8527d16c... Ultra Sound
13798374 15 3427 1968 +1459 everstake 0xb67eaa5e... BloXroute Regulated
13797400 8 3325 1866 +1459 everstake 0x823e0146... BloXroute Max Profit
13794740 5 3280 1822 +1458 blockdaemon 0x850b00e0... BloXroute Regulated
13792205 0 3207 1749 +1458 blockdaemon 0xb26f9666... BloXroute Regulated
13797146 0 3207 1749 +1458 0x853b0078... Agnostic Gnosis
13798205 6 3294 1837 +1457 everstake 0x8527d16c... Ultra Sound
13793046 8 3323 1866 +1457 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13793924 3 3250 1793 +1457 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13795210 7 3308 1851 +1457 ether.fi Local Local
13792180 0 3206 1749 +1457 revolut 0xb67eaa5e... BloXroute Regulated
13793192 1 3219 1764 +1455 0x8527d16c... Ultra Sound
13795537 3 3248 1793 +1455 p2porg 0x93b11bec... Flashbots
13798590 0 3202 1749 +1453 blockdaemon 0x8527d16c... Ultra Sound
13798403 5 3274 1822 +1452 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13796407 0 3201 1749 +1452 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13795755 0 3200 1749 +1451 revolut 0x88a53ec4... BloXroute Regulated
13792115 10 3345 1895 +1450 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13795340 9 3329 1880 +1449 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13796530 11 3357 1910 +1447 everstake 0xb26f9666... Titan Relay
13795331 8 3312 1866 +1446 bitstamp 0x88a53ec4... BloXroute Regulated
13794657 6 3280 1837 +1443 coinbase 0xb7c5beef... BloXroute Max Profit
13797473 1 3207 1764 +1443 stakingfacilities_lido 0x853b0078... BloXroute Max Profit
13792750 5 3259 1822 +1437 everstake 0xb26f9666... Aestus
13791817 5 3258 1822 +1436 blockdaemon_lido 0xb26f9666... Titan Relay
13794357 9 3316 1880 +1436 blockdaemon 0x88857150... Ultra Sound
13795664 5 3256 1822 +1434 revolut 0xb26f9666... Titan Relay
13794475 0 3182 1749 +1433 origin_protocol 0xa0366397... Flashbots
13794845 0 3181 1749 +1432 revolut 0xb26f9666... Titan Relay
13794341 0 3181 1749 +1432 blockdaemon_lido 0x855b00e6... Ultra Sound
13796321 13 3370 1939 +1431 0x853b0078... Ultra Sound
13792727 9 3311 1880 +1431 whale_0xdc8d 0x8527d16c... Ultra Sound
13798404 3 3223 1793 +1430 p2porg 0x850b00e0... BloXroute Regulated
13795383 9 3309 1880 +1429 revolut 0xac23f8cc... Ultra Sound
13797280 0 3177 1749 +1428 nethermind_lido 0x852b0070... BloXroute Max Profit
13798196 0 3177 1749 +1428 whale_0x8ebd 0x853b0078... Ultra Sound
13795078 4 3229 1808 +1421 revolut 0x8db2a99d... Ultra Sound
13796323 4 3229 1808 +1421 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13792677 8 3287 1866 +1421 kelp 0x8db2a99d... BloXroute Max Profit
13796570 9 3300 1880 +1420 blockdaemon 0x853b0078... Ultra Sound
13793935 1 3183 1764 +1419 kiln 0xa230e2cf... Flashbots
13797998 0 3168 1749 +1419 blockdaemon_lido 0xb26f9666... Titan Relay
13793533 10 3313 1895 +1418 blockdaemon 0x853b0078... Ultra Sound
13794077 5 3240 1822 +1418 revolut 0x850b00e0... BloXroute Regulated
13792147 0 3164 1749 +1415 everstake 0xb26f9666... Aestus
13797642 0 3164 1749 +1415 whale_0x3212 0xb26f9666... Titan Relay
13797321 0 3163 1749 +1414 p2porg 0xb67eaa5e... BloXroute Max Profit
13797808 9 3293 1880 +1413 stakefish_lido 0x853b0078... BloXroute Max Profit
13792568 9 3293 1880 +1413 luno 0xb26f9666... Titan Relay
13792886 17 3409 1997 +1412 bitstamp 0x8db2a99d... BloXroute Max Profit
13794818 10 3306 1895 +1411 mantle 0x88a53ec4... BloXroute Regulated
13798498 5 3231 1822 +1409 p2porg 0x850b00e0... BloXroute Regulated
13794620 10 3301 1895 +1406 blockdaemon 0xb26f9666... Titan Relay
13794037 9 3285 1880 +1405 mantle 0x855b00e6... BloXroute Max Profit
13793587 1 3168 1764 +1404 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13795674 6 3238 1837 +1401 ether.fi 0x93b11bec... Flashbots
13793739 6 3233 1837 +1396 blockdaemon_lido 0x8527d16c... Ultra Sound
13793473 5 3218 1822 +1396 0x850b00e0... BloXroute Max Profit
13792738 7 3247 1851 +1396 ether.fi 0x8db2a99d... BloXroute Max Profit
13796653 17 3392 1997 +1395 bitstamp 0xb67eaa5e... BloXroute Max Profit
13794824 1 3158 1764 +1394 kiln 0x93b11bec... Flashbots
13794293 10 3287 1895 +1392 blockdaemon_lido 0x855b00e6... Ultra Sound
13795473 9 3272 1880 +1392 everstake 0x853b0078... BloXroute Max Profit
13796493 6 3226 1837 +1389 everstake 0x8527d16c... Ultra Sound
13792283 3 3181 1793 +1388 kelp 0x8db2a99d... Ultra Sound
13791672 0 3137 1749 +1388 everstake 0x8527d16c... Ultra Sound
13796418 5 3208 1822 +1386 everstake 0x856b0004... Aestus
13795100 0 3135 1749 +1386 everstake 0xb26f9666... Titan Relay
13792507 0 3133 1749 +1384 everstake 0xac23f8cc... BloXroute Max Profit
13796948 0 3132 1749 +1383 gateway.fmas_lido 0xac23f8cc... BloXroute Max Profit
13798113 6 3215 1837 +1378 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13798538 5 3199 1822 +1377 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13792787 1 3140 1764 +1376 whale_0xedc6 0xb67eaa5e... BloXroute Max Profit
13794768 5 3195 1822 +1373 ether.fi Local Local
13792076 8 3238 1866 +1372 kiln 0x850b00e0... BloXroute Max Profit
13795200 5 3194 1822 +1372 p2porg 0x8527d16c... Ultra Sound
13795245 7 3223 1851 +1372 everstake 0x8527d16c... Ultra Sound
13792932 8 3236 1866 +1370 p2porg 0x850b00e0... BloXroute Regulated
13796363 5 3191 1822 +1369 0x8527d16c... Ultra Sound
13798639 6 3204 1837 +1367 mantle 0x850b00e0... BloXroute Max Profit
13794315 1 3131 1764 +1367 p2porg 0x8527d16c... Ultra Sound
13797840 3 3160 1793 +1367 p2porg 0xb67eaa5e... BloXroute Max Profit
13797543 5 3189 1822 +1367 p2porg 0x850b00e0... BloXroute Regulated
13797309 1 3123 1764 +1359 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13792570 8 3224 1866 +1358 kiln 0x88a53ec4... BloXroute Max Profit
13793155 5 3180 1822 +1358 p2porg 0x8db2a99d... BloXroute Max Profit
13795859 0 3106 1749 +1357 mantle 0x852b0070... Agnostic Gnosis
13795188 0 3106 1749 +1357 whale_0x8ebd 0xac23f8cc... Ultra Sound
13797759 4 3164 1808 +1356 p2porg 0x850b00e0... BloXroute Regulated
13795742 1 3120 1764 +1356 coinbase 0x853b0078... BloXroute Max Profit
13797911 6 3192 1837 +1355 0x8db2a99d... BloXroute Max Profit
13797427 6 3189 1837 +1352 everstake 0x88a53ec4... BloXroute Regulated
13792093 0 3101 1749 +1352 whale_0xd84f 0xac23f8cc... Aestus
13792093 0 3101 1749 +1352 whale_0xd84f 0xac23f8cc... Aestus
13795324 0 3100 1749 +1351 whale_0x8ebd 0x852b0070... Ultra Sound
13795881 4 3158 1808 +1350 0x8db2a99d... Ultra Sound
13796340 12 3274 1924 +1350 everstake 0xb26f9666... Titan Relay
13793842 5 3168 1822 +1346 gateway.fmas_lido 0x853b0078... Agnostic Gnosis
13793461 5 3168 1822 +1346 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13795706 0 3095 1749 +1346 0x852b0070... Agnostic Gnosis
13792358 6 3182 1837 +1345 everstake 0xb26f9666... Titan Relay
13793561 5 3167 1822 +1345 stader 0x855b00e6... BloXroute Max Profit
13795430 1 3108 1764 +1344 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13794145 5 3165 1822 +1343 p2porg 0x850b00e0... BloXroute Regulated
13797189 9 3223 1880 +1343 everstake 0x853b0078... Aestus
13796984 10 3237 1895 +1342 p2porg 0x850b00e0... BloXroute Regulated
13797789 2 3120 1778 +1342 bitstamp 0xb26f9666... Titan Relay
13795436 13 3280 1939 +1341 p2porg 0x856b0004... Ultra Sound
13797001 5 3163 1822 +1341 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13797687 8 3204 1866 +1338 p2porg 0xb67eaa5e... BloXroute Regulated
13794494 12 3261 1924 +1337 kiln 0x88a53ec4... BloXroute Max Profit
13796064 0 3086 1749 +1337 whale_0x8ebd 0xb26f9666... Titan Relay
13798141 5 3158 1822 +1336 stakingfacilities_lido 0x8527d16c... Ultra Sound
13792943 6 3172 1837 +1335 kiln 0x850b00e0... Flashbots
13797915 1 3099 1764 +1335 p2porg 0x91b123d8... BloXroute Regulated
13797128 3 3128 1793 +1335 kelp 0x8527d16c... Ultra Sound
13792755 1 3098 1764 +1334 p2porg 0x82c466b9... BloXroute Regulated
13796547 0 3082 1749 +1333 mantle 0x852b0070... Agnostic Gnosis
13796461 1 3096 1764 +1332 p2porg 0x8527d16c... Ultra Sound
13793282 5 3153 1822 +1331 0x855b00e6... BloXroute Max Profit
13794707 0 3080 1749 +1331 whale_0x8ebd 0xb26f9666... Titan Relay
13796057 0 3079 1749 +1330 p2porg 0x850b00e0... BloXroute Regulated
13798260 2 3108 1778 +1330 p2porg 0xb26f9666... Titan Relay
13797850 0 3076 1749 +1327 p2porg 0x850b00e0... BloXroute Regulated
13796436 0 3075 1749 +1326 everstake 0x852b0070... Agnostic Gnosis
13798203 1 3088 1764 +1324 0xb67eaa5e... BloXroute Max Profit
13795196 0 3073 1749 +1324 p2porg 0xb26f9666... BloXroute Max Profit
13793292 6 3160 1837 +1323 p2porg 0x91b123d8... BloXroute Regulated
13793932 1 3087 1764 +1323 p2porg 0x88a53ec4... BloXroute Max Profit
13791689 0 3072 1749 +1323 p2porg 0x852b0070... Agnostic Gnosis
13794286 5 3144 1822 +1322 everstake 0xb26f9666... Aestus
13797864 5 3143 1822 +1321 p2porg 0x88857150... Ultra Sound
13793042 0 3069 1749 +1320 p2porg 0x853b0078... BloXroute Max Profit
13796732 1 3083 1764 +1319 p2porg 0x856b0004... Aestus
13793081 3 3112 1793 +1319 mantle 0x823e0146... Ultra Sound
13794774 0 3068 1749 +1319 figment 0x88a53ec4... BloXroute Max Profit
13795274 5 3140 1822 +1318 0x8527d16c... Ultra Sound
13793040 5 3139 1822 +1317 ether.fi 0x8527d16c... Ultra Sound
13792912 1 3080 1764 +1316 whale_0x8ebd 0xb26f9666... Titan Relay
13798055 4 3121 1808 +1313 whale_0x8ebd 0x8527d16c... Ultra Sound
13794273 6 3150 1837 +1313 stakingfacilities_lido 0x8527d16c... Ultra Sound
13795894 11 3222 1910 +1312 p2porg 0x850b00e0... BloXroute Regulated
13795819 1 3076 1764 +1312 everstake 0x8a850621... Titan Relay
13796107 3 3105 1793 +1312 whale_0xedc6 0x8db2a99d... Flashbots
13797728 0 3061 1749 +1312 nethermind_lido 0x853b0078... Flashbots
Total anomalies: 281

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