Sat, Jan 10, 2026

Propagation anomalies - 2026-01-10

Detection of blocks that propagated slower than expected given their 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-01-10' AND slot_start_date_time < '2026-01-10'::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-01-10' AND slot_start_date_time < '2026-01-10'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Canonical block hash (to verify MEV payload was actually used)
canonical_block AS (
    SELECT
        slot,
        execution_payload_block_hash
    FROM canonical_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-01-10' AND slot_start_date_time < '2026-01-10'::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-01-10' AND slot_start_date_time < '2026-01-10'::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-01-10' AND slot_start_date_time < '2026-01-10'::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-01-10' AND slot_start_date_time < '2026-01-10'::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-01-10' AND slot_start_date_time < '2026-01-10'::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-01-10' AND slot_start_date_time < '2026-01-10'::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,176
MEV blocks: 6,662 (92.8%)
Local blocks: 514 (7.2%)

Anomaly detection method

Blocks that are slow relative to their blob count are more interesting than blocks that are simply slow. A 500ms block with 15 blobs may be normal; with 0 blobs it's anomalous.

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 = 1774.8 + 20.71 × blob_count (R² = 0.015)
Residual σ = 621.5ms
Anomalies (>2σ slow): 288 (4.0%)
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
13437920 3 7529 1837 +5692 piertwo Local Local
13436925 0 5239 1775 +3464 whale_0xba8f Local Local
13438592 3 4725 1837 +2888 upbit Local Local
13434752 1 4204 1796 +2408 Local Local
13434343 0 3983 1775 +2208 abyss_finance Local Local
13432220 0 3940 1775 +2165 figment Local Local
13435520 0 3858 1775 +2083 stakefish Local Local
13433485 1 3825 1796 +2029 ether.fi 0xb26f9666... EthGas
13435744 0 3728 1775 +1953 luno Local Local
13434677 9 3863 1961 +1902 rocketpool 0xac23f8cc... BloXroute Max Profit
13434080 12 3911 2023 +1888 0x8527d16c... Ultra Sound
13435398 1 3652 1796 +1856 blockdaemon 0xb67eaa5e... BloXroute Regulated
13435104 2 3670 1816 +1854 0x91b123d8... BloXroute Regulated
13431781 6 3701 1899 +1802 0x88a53ec4... BloXroute Regulated
13437979 10 3778 1982 +1796 blockdaemon_lido 0x8a850621... Ultra Sound
13435612 10 3776 1982 +1794 whale_0xdd6c 0xb7c5e609... BloXroute Max Profit
13435810 5 3662 1878 +1784 0x8a850621... Titan Relay
13436066 4 3622 1858 +1764 blockdaemon 0x850b00e0... BloXroute Regulated
13432243 5 3641 1878 +1763 blockdaemon 0x88857150... Ultra Sound
13433029 9 3723 1961 +1762 0x88a53ec4... BloXroute Regulated
13435968 7 3676 1920 +1756 ether.fi 0xb26f9666... Titan Relay
13436958 7 3665 1920 +1745 lido 0xb67eaa5e... Titan Relay
13435328 6 3644 1899 +1745 0xb67eaa5e... BloXroute Regulated
13435043 1 3535 1796 +1739 figment 0x850b00e0... BloXroute Regulated
13433763 2 3542 1816 +1726 abyss_finance 0x8527d16c... Ultra Sound
13436303 4 3580 1858 +1722 0x8527d16c... Ultra Sound
13433542 1 3511 1796 +1715 whale_0x7c1b 0x823e0146... Flashbots
13433643 7 3634 1920 +1714 0x8527d16c... Ultra Sound
13435623 8 3654 1941 +1713 0x853b0078... Ultra Sound
13437738 4 3564 1858 +1706 blockdaemon 0x8527d16c... Ultra Sound
13437901 7 3625 1920 +1705 blockdaemon 0x8527d16c... Ultra Sound
13436712 7 3610 1920 +1690 blockdaemon 0x8527d16c... Ultra Sound
13433921 1 3481 1796 +1685 revolut 0x8527d16c... Ultra Sound
13437035 7 3576 1920 +1656 blockdaemon_lido 0x8527d16c... Ultra Sound
13435911 2 3467 1816 +1651 everstake 0x823e0146... Flashbots
13438667 9 3589 1961 +1628 blockdaemon 0x8527d16c... Ultra Sound
13435693 11 3625 2003 +1622 blockdaemon 0x8527d16c... Ultra Sound
13434740 4 3479 1858 +1621 whale_0xdd6c 0x88857150... Ultra Sound
13437237 1 3416 1796 +1620 figment 0x82c466b9... BloXroute Regulated
13437315 7 3535 1920 +1615 revolut 0x850b00e0... BloXroute Regulated
13436402 2 3427 1816 +1611 Local Local
13433468 1 3406 1796 +1610 0x8a850621... Ultra Sound
13431611 1 3400 1796 +1604 blockdaemon 0x8a850621... Titan Relay
13435894 6 3483 1899 +1584 0x8a850621... BloXroute Regulated
13433837 1 3378 1796 +1582 blockdaemon 0x850b00e0... BloXroute Regulated
13433941 2 3383 1816 +1567 blockdaemon 0xb26f9666... Titan Relay
13436574 1 3355 1796 +1559 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13432385 4 3415 1858 +1557 0x850b00e0... BloXroute Regulated
13438772 16 3660 2106 +1554 0x8527d16c... Ultra Sound
13438272 2 3368 1816 +1552 stakingfacilities_lido 0x856b0004... Aestus
13434644 9 3510 1961 +1549 blockdaemon 0x8a850621... Titan Relay
13433260 1 3340 1796 +1544 blockdaemon_lido 0xb67eaa5e... Titan Relay
13438498 1 3340 1796 +1544 blockdaemon_lido 0xb26f9666... Titan Relay
13438455 1 3335 1796 +1539 blockdaemon 0x91b123d8... BloXroute Regulated
13433808 6 3437 1899 +1538 blockdaemon 0x8a850621... Titan Relay
13434269 1 3333 1796 +1537 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13433608 7 3457 1920 +1537 0x850b00e0... BloXroute Regulated
13435841 1 3329 1796 +1533 luno 0xb26f9666... Titan Relay
13435136 4 3385 1858 +1527 gateway.fmas_lido 0x8527d16c... Ultra Sound
13437787 4 3385 1858 +1527 blockdaemon_lido 0xb67eaa5e... Titan Relay
13435936 0 3293 1775 +1518 p2porg 0x823e0146... Flashbots
13433991 4 3369 1858 +1511 blockdaemon 0x82c466b9... BloXroute Regulated
13433391 5 3388 1878 +1510 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13436449 6 3408 1899 +1509 blockdaemon 0x850b00e0... BloXroute Regulated
13438205 1 3304 1796 +1508 0xb26f9666... Titan Relay
13438086 7 3425 1920 +1505 blockdaemon_lido 0xb26f9666... Titan Relay
13433560 4 3362 1858 +1504 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13438728 9 3462 1961 +1501 p2porg 0xb26f9666... BloXroute Regulated
13435572 15 3584 2086 +1498 kraken 0x82c466b9... EthGas
13437569 1 3294 1796 +1498 blockdaemon 0x8527d16c... Ultra Sound
13433633 1 3292 1796 +1496 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13437301 9 3453 1961 +1492 blockdaemon 0xb67eaa5e... BloXroute Regulated
13432023 4 3346 1858 +1488 blockdaemon_lido 0xb26f9666... Titan Relay
13432799 4 3345 1858 +1487 blockdaemon_lido 0xb7c5e609... BloXroute Regulated
13435111 0 3262 1775 +1487 0xba003e46... BloXroute Regulated
13437609 2 3301 1816 +1485 blockdaemon 0x853b0078... Ultra Sound
13437722 4 3340 1858 +1482 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13433101 6 3379 1899 +1480 luno 0x853b0078... Ultra Sound
13435190 5 3357 1878 +1479 blockdaemon 0x88a53ec4... BloXroute Regulated
13436530 4 3333 1858 +1475 blockdaemon_lido 0x91b123d8... BloXroute Regulated
13434663 6 3373 1899 +1474 blockdaemon_lido 0x91b123d8... BloXroute Regulated
13436768 10 3452 1982 +1470 bitstamp 0x856b0004... Ultra Sound
13432780 2 3281 1816 +1465 blockdaemon 0x850b00e0... BloXroute Regulated
13431826 3 3299 1837 +1462 0xb26f9666... BloXroute Regulated
13438746 6 3360 1899 +1461 blockdaemon 0x850b00e0... BloXroute Regulated
13436306 11 3463 2003 +1460 0x850b00e0... BloXroute Regulated
13433696 4 3318 1858 +1460 nethermind_lido 0xb26f9666... Titan Relay
13436224 7 3378 1920 +1458 stakingfacilities_lido 0x856b0004... Ultra Sound
13433931 2 3273 1816 +1457 blockdaemon 0x82c466b9... BloXroute Regulated
13437418 1 3252 1796 +1456 0xb26f9666... Titan Relay
13435668 2 3266 1816 +1450 0x8a850621... BloXroute Max Profit
13436517 9 3409 1961 +1448 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13433778 7 3365 1920 +1445 0x850b00e0... BloXroute Regulated
13434199 1 3240 1796 +1444 Local Local
13436121 7 3364 1920 +1444 blockdaemon_lido 0xb26f9666... Titan Relay
13436817 3 3280 1837 +1443 luno 0x8527d16c... Ultra Sound
13436056 11 3441 2003 +1438 blockdaemon 0x8a850621... Titan Relay
13435177 6 3329 1899 +1430 blockdaemon 0x8527d16c... Ultra Sound
13437343 6 3324 1899 +1425 blockdaemon 0x8527d16c... Ultra Sound
13433494 10 3405 1982 +1423 ether.fi 0x850b00e0... BloXroute Regulated
13433234 6 3321 1899 +1422 ether.fi 0xb67eaa5e... BloXroute Max Profit
13437313 6 3317 1899 +1418 p2porg 0xb26f9666... BloXroute Regulated
13435768 12 3441 2023 +1418 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13435928 5 3295 1878 +1417 revolut 0x850b00e0... BloXroute Regulated
13437014 1 3211 1796 +1415 bitstamp 0x856b0004... Aestus
13435254 6 3313 1899 +1414 blockdaemon 0x8527d16c... Ultra Sound
13432124 2 3230 1816 +1414 0x850b00e0... BloXroute Regulated
13437387 3 3249 1837 +1412 p2porg 0x91b123d8... Flashbots
13433480 2 3227 1816 +1411 ether.fi 0x8527d16c... Ultra Sound
13433355 2 3227 1816 +1411 0xb26f9666... BloXroute Max Profit
13435948 1 3206 1796 +1410 bitstamp 0x8527d16c... Ultra Sound
13436028 11 3413 2003 +1410 blockdaemon 0xb67eaa5e... Titan Relay
13433572 7 3327 1920 +1407 blockdaemon 0xb26f9666... Titan Relay
13438636 3 3244 1837 +1407 revolut 0x853b0078... Ultra Sound
13435804 4 3264 1858 +1406 p2porg 0xb26f9666... BloXroute Max Profit
13431915 10 3384 1982 +1402 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13434265 1 3192 1796 +1396 0x850b00e0... BloXroute Max Profit
13437984 4 3253 1858 +1395 nethermind_lido 0xb26f9666... Titan Relay
13437292 0 3170 1775 +1395 blockdaemon_lido 0x99dbe3e8... Ultra Sound
13432472 2 3210 1816 +1394 blockdaemon_lido 0xb26f9666... Titan Relay
13433091 12 3409 2023 +1386 0x850b00e0... Flashbots
13432112 5 3263 1878 +1385 blockdaemon 0x8527d16c... Ultra Sound
13433456 0 3159 1775 +1384 0x91a8729e... BloXroute Max Profit
13435432 9 3344 1961 +1383 blockdaemon 0x88857150... Ultra Sound
13434745 4 3240 1858 +1382 p2porg 0x856b0004... Aestus
13436750 2 3198 1816 +1382 blockdaemon_lido 0x853b0078... Ultra Sound
13433663 1 3176 1796 +1380 0xb26f9666... BloXroute Max Profit
13433365 2 3196 1816 +1380 blockdaemon 0x8527d16c... Ultra Sound
13435641 5 3255 1878 +1377 0x91b123d8... BloXroute Regulated
13433490 1 3172 1796 +1376 0x8527d16c... Ultra Sound
13437406 1 3171 1796 +1375 0x856b0004... Agnostic Gnosis
13433986 2 3190 1816 +1374 0x853b0078... Agnostic Gnosis
13436891 1 3166 1796 +1370 0xb26f9666... BloXroute Max Profit
13438593 6 3266 1899 +1367 p2porg 0x8527d16c... Ultra Sound
13436969 12 3388 2023 +1365 0xb26f9666... BloXroute Regulated
13435580 5 3241 1878 +1363 0x856b0004... Aestus
13438438 9 3323 1961 +1362 p2porg 0x856b0004... Ultra Sound
13434853 10 3342 1982 +1360 0x853b0078... BloXroute Max Profit
13432574 7 3279 1920 +1359 revolut 0x853b0078... Ultra Sound
13438460 0 3133 1775 +1358 0xb26f9666... BloXroute Regulated
13434835 6 3257 1899 +1358 p2porg 0x8527d16c... Ultra Sound
13433200 9 3318 1961 +1357 blockdaemon_lido 0xb67eaa5e... Titan Relay
13434101 5 3235 1878 +1357 blockdaemon_lido 0x8527d16c... Ultra Sound
13434498 7 3276 1920 +1356 p2porg 0x8527d16c... Ultra Sound
13433927 1 3151 1796 +1355 figment 0xb26f9666... Titan Relay
13438606 14 3420 2065 +1355 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13433673 0 3129 1775 +1354 bitstamp 0x8527d16c... Ultra Sound
13435456 1 3149 1796 +1353 everstake 0xb67eaa5e... BloXroute Max Profit
13435214 6 3252 1899 +1353 ether.fi 0xb26f9666... BloXroute Max Profit
13435975 12 3376 2023 +1353 blockdaemon_lido 0x91b123d8... BloXroute Regulated
13433493 2 3166 1816 +1350 coinbase 0x850b00e0... BloXroute Max Profit
13434006 2 3166 1816 +1350 ether.fi 0x8db2a99d... BloXroute Max Profit
13436808 4 3207 1858 +1349 p2porg 0x853b0078... Agnostic Gnosis
13433539 3 3186 1837 +1349 stakingfacilities_lido 0x8527d16c... Ultra Sound
13433649 1 3144 1796 +1348 stakingfacilities_lido 0x8527d16c... Ultra Sound
13433246 1 3142 1796 +1346 everstake 0x850b00e0... BloXroute Max Profit
13436430 2 3160 1816 +1344 0xb67eaa5e... BloXroute Regulated
13433244 1 3139 1796 +1343 bitstamp 0x8527d16c... Ultra Sound
13438111 1 3138 1796 +1342 ether.fi 0x8db2a99d... BloXroute Max Profit
13433759 9 3299 1961 +1338 blockdaemon_lido 0xb26f9666... Titan Relay
13435510 9 3299 1961 +1338 kelp 0xb7c5e609... BloXroute Max Profit
13438087 0 3111 1775 +1336 p2porg 0x91a8729e... Ultra Sound
13436145 2 3151 1816 +1335 0x8527d16c... Ultra Sound
13436312 9 3295 1961 +1334 0x850b00e0... BloXroute Regulated
13436239 1 3129 1796 +1333 p2porg 0x853b0078... BloXroute Max Profit
13434723 12 3356 2023 +1333 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13434749 1 3128 1796 +1332 everstake 0xb26f9666... Titan Relay
13435083 3 3168 1837 +1331 ether.fi 0x88a53ec4... BloXroute Max Profit
13437768 6 3230 1899 +1331 everstake 0x88a53ec4... BloXroute Max Profit
13433503 1 3126 1796 +1330 0xac23f8cc... Flashbots
13432757 1 3126 1796 +1330 figment 0x856b0004... Aestus
13436450 1 3126 1796 +1330 0xb26f9666... BloXroute Max Profit
13438705 1 3126 1796 +1330 ether.fi 0x853b0078... Flashbots
13436309 6 3228 1899 +1329 p2porg 0x823e0146... Flashbots
13436231 8 3269 1941 +1328 ether.fi 0x850b00e0... Flashbots
13437475 1 3123 1796 +1327 p2porg 0x853b0078... Agnostic Gnosis
13435316 0 3102 1775 +1327 ether.fi 0x91a8729e... BloXroute Max Profit
13436562 6 3226 1899 +1327 p2porg 0x88a53ec4... BloXroute Max Profit
13438777 2 3143 1816 +1327 0x8db2a99d... Flashbots
13433452 1 3122 1796 +1326 0x8527d16c... Ultra Sound
13435676 1 3122 1796 +1326 mantle 0x8527d16c... Ultra Sound
13433879 2 3142 1816 +1326 p2porg 0x853b0078... Flashbots
13432313 5 3204 1878 +1326 0x8527d16c... Ultra Sound
13435579 8 3266 1941 +1325 blockdaemon 0x8527d16c... Ultra Sound
13435314 1 3121 1796 +1325 p2porg 0x8527d16c... Ultra Sound
13437040 6 3224 1899 +1325 blockdaemon 0x856b0004... Ultra Sound
13438231 1 3120 1796 +1324 p2porg 0xb26f9666... BloXroute Regulated
13432582 0 3099 1775 +1324 figment 0x91a8729e... Ultra Sound
13436957 3 3161 1837 +1324 stakingfacilities_lido 0x856b0004... Aestus
13434370 5 3202 1878 +1324 everstake 0x8db2a99d... Flashbots
13434898 5 3202 1878 +1324 p2porg 0x853b0078... Aestus
13433660 0 3097 1775 +1322 ether.fi 0xb26f9666... Titan Relay
13435053 0 3097 1775 +1322 p2porg 0x99dbe3e8... Ultra Sound
13435622 3 3159 1837 +1322 origin_protocol 0xac23f8cc... BloXroute Max Profit
13431970 4 3179 1858 +1321 p2porg 0x8527d16c... Ultra Sound
13431806 2 3136 1816 +1320 0x850b00e0... BloXroute Max Profit
13438388 0 3094 1775 +1319 abyss_finance 0x852b0070... Agnostic Gnosis
13435489 6 3216 1899 +1317 p2porg 0xb26f9666... BloXroute Max Profit
13432443 2 3133 1816 +1317 p2porg 0x8db2a99d... Flashbots
13432912 1 3112 1796 +1316 0xb26f9666... BloXroute Max Profit
13437911 5 3194 1878 +1316 0x853b0078... Agnostic Gnosis
13431873 6 3213 1899 +1314 0x860d4173... Agnostic Gnosis
13436760 2 3130 1816 +1314 p2porg 0x856b0004... Agnostic Gnosis
13434274 1 3109 1796 +1313 0x856b0004... Agnostic Gnosis
13434759 8 3253 1941 +1312 stakingfacilities_lido 0x8527d16c... Ultra Sound
13438223 7 3232 1920 +1312 0x8527d16c... Ultra Sound
13438277 1 3106 1796 +1310 mantle 0x8527d16c... Ultra Sound
13437727 1 3106 1796 +1310 ether.fi 0x8db2a99d... Flashbots
13436376 14 3375 2065 +1310 p2porg 0x8db2a99d... Flashbots
13432703 1 3105 1796 +1309 figment 0x8527d16c... Ultra Sound
13437363 4 3167 1858 +1309 p2porg 0x853b0078... BloXroute Max Profit
13434466 0 3084 1775 +1309 p2porg 0x8527d16c... Ultra Sound
13433678 1 3103 1796 +1307 0x8527d16c... Ultra Sound
13438451 1 3102 1796 +1306 0xac23f8cc... Flashbots
13434383 6 3205 1899 +1306 mantle 0xb26f9666... BloXroute Max Profit
13438279 5 3182 1878 +1304 figment 0x8527d16c... Ultra Sound
13438319 2 3119 1816 +1303 0x8db2a99d... BloXroute Max Profit
13434625 0 3077 1775 +1302 everstake 0x8527d16c... Ultra Sound
13434686 4 3158 1858 +1300 p2porg 0x8527d16c... Ultra Sound
13433871 5 3178 1878 +1300 whale_0x23be 0x853b0078... Agnostic Gnosis
13435144 1 3094 1796 +1298 0x853b0078... Flashbots
13438542 8 3238 1941 +1297 p2porg 0x856b0004... Ultra Sound
13434993 7 3217 1920 +1297 p2porg 0x8527d16c... Ultra Sound
13433218 5 3175 1878 +1297 p2porg 0xb26f9666... BloXroute Max Profit
13433905 1 3091 1796 +1295 ether.fi 0x853b0078... Agnostic Gnosis
13433342 1 3091 1796 +1295 0x8527d16c... Ultra Sound
13436155 0 3069 1775 +1294 ether.fi 0x91a8729e... BloXroute Max Profit
13432282 3 3131 1837 +1294 stakingfacilities_lido 0x8527d16c... Ultra Sound
13434819 5 3172 1878 +1294 everstake 0x8db2a99d... BloXroute Max Profit
13433248 3 3129 1837 +1292 ether.fi 0x8527d16c... Ultra Sound
13434581 14 3356 2065 +1291 blockdaemon 0x853b0078... Ultra Sound
13436270 1 3086 1796 +1290 p2porg 0x856b0004... Aestus
13433644 1 3085 1796 +1289 everstake 0xb67eaa5e... BloXroute Regulated
13434178 2 3105 1816 +1289 0x856b0004... Aestus
13431676 1 3084 1796 +1288 gateway.fmas_lido 0x853b0078... Agnostic Gnosis
13437689 4 3146 1858 +1288 0xb26f9666... BloXroute Regulated
13436942 6 3186 1899 +1287 0xac23f8cc... BloXroute Max Profit
13437986 6 3185 1899 +1286 0x8527d16c... Ultra Sound
13436948 4 3142 1858 +1284 bitstamp 0xac23f8cc... BloXroute Max Profit
13436292 10 3265 1982 +1283 p2porg 0x823e0146... BloXroute Max Profit
13436419 8 3222 1941 +1281 stakingfacilities_lido 0x8527d16c... Ultra Sound
13433315 3 3118 1837 +1281 0xb67eaa5e... BloXroute Max Profit
13434623 9 3242 1961 +1281 p2porg 0x8527d16c... Ultra Sound
13438675 0 3055 1775 +1280 0x8527d16c... Ultra Sound
13431886 2 3096 1816 +1280 0x856b0004... Agnostic Gnosis
13432295 3 3115 1837 +1278 p2porg 0x823e0146... Flashbots
13433261 5 3156 1878 +1278 stakingfacilities_lido 0x8527d16c... Ultra Sound
13432965 2 3092 1816 +1276 ether.fi 0x8db2a99d... Flashbots
13435253 10 3255 1982 +1273 0x856b0004... BloXroute Max Profit
13432129 9 3234 1961 +1273 figment 0xb67eaa5e... Ultra Sound
13438158 6 3169 1899 +1270 0x853b0078... BloXroute Max Profit
13433646 9 3231 1961 +1270 p2porg 0xac23f8cc... Flashbots
13432577 1 3065 1796 +1269 rocketpool 0x853b0078... Aestus
13437849 1 3065 1796 +1269 0x856b0004... Aestus
13434592 3 3106 1837 +1269 nethermind_lido 0xac23f8cc... BloXroute Max Profit
13437496 7 3185 1920 +1265 mantle 0x853b0078... Agnostic Gnosis
13431976 9 3225 1961 +1264 0x8527d16c... Ultra Sound
13436171 2 3079 1816 +1263 whale_0x7791 0xac23f8cc... Flashbots
13433364 2 3079 1816 +1263 0x853b0078... BloXroute Max Profit
13437681 2 3079 1816 +1263 ether.fi 0x853b0078... BloXroute Max Profit
13435502 1 3057 1796 +1261 figment 0xb67eaa5e... BloXroute Max Profit
13437591 14 3326 2065 +1261 blockdaemon_lido 0x8527d16c... Ultra Sound
13437093 2 3077 1816 +1261 ether.fi 0x88857150... Ultra Sound
13433888 1 3056 1796 +1260 stakefish 0x8527d16c... Ultra Sound
13434092 9 3221 1961 +1260 everstake 0x88a53ec4... BloXroute Max Profit
13434131 1 3055 1796 +1259 0x88a53ec4... BloXroute Regulated
13432903 1 3055 1796 +1259 mantle 0x8527d16c... Ultra Sound
13436914 7 3178 1920 +1258 p2porg 0xb67eaa5e... BloXroute Max Profit
13433818 4 3115 1858 +1257 ether.fi 0x853b0078... BloXroute Max Profit
13435123 3 3094 1837 +1257 0xb26f9666... BloXroute Regulated
13436790 6 3156 1899 +1257 0x853b0078... BloXroute Max Profit
13432961 1 3052 1796 +1256 everstake 0xb26f9666... Titan Relay
13436960 14 3319 2065 +1254 kelp 0x8527d16c... Ultra Sound
13432708 8 3194 1941 +1253 0x850b00e0... BloXroute Max Profit
13432189 0 3028 1775 +1253 p2porg 0x88a53ec4... BloXroute Max Profit
13436191 6 3151 1899 +1252 0x88a53ec4... BloXroute Regulated
13434837 5 3130 1878 +1252 0xb26f9666... Titan Relay
13433747 7 3171 1920 +1251 kelp 0xac23f8cc... BloXroute Max Profit
13437491 1 3046 1796 +1250 0x856b0004... Agnostic Gnosis
13431748 5 3127 1878 +1249 0xb26f9666... BloXroute Max Profit
13438281 7 3168 1920 +1248 figment 0x850b00e0... BloXroute Max Profit
13436007 13 3291 2044 +1247 p2porg 0xb26f9666... BloXroute Max Profit
13436495 6 3145 1899 +1246 kelp 0x856b0004... Aestus
13432564 7 3165 1920 +1245 0x856b0004... Ultra Sound
13432487 9 3206 1961 +1245 ether.fi 0xb26f9666... BloXroute Regulated
13436272 8 3185 1941 +1244 p2porg 0x856b0004... Aestus
13436429 4 3102 1858 +1244 0xb67eaa5e... BloXroute Max Profit
13435495 1 3039 1796 +1243 everstake 0x8db2a99d... Flashbots
Total anomalies: 288

Anomalies by relay

Which relays have 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_count", 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['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 have 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_count").sort_values("anomaly_count", 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['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 have 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_count").sort_values("anomaly_count", 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['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})