Sun, Mar 22, 2026

Propagation anomalies - 2026-03-22

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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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-22' AND slot_start_date_time < '2026-03-22'::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: 6,600
MEV blocks: 5,913 (89.6%)
Local blocks: 687 (10.4%)

Anomaly detection method

The method:

  1. Fit linear regression: block_first_seen_ms ~ blob_count
  2. Calculate residuals (actual - expected)
  3. Flag blocks with residuals > 2σ as anomalies

Points above the ±2σ band propagated slower than expected given their blob count.

Show code
# Conditional outliers: blocks slow relative to their blob count
df_anomaly = df.copy()

# Fit regression: block_first_seen_ms ~ blob_count
slope, intercept, r_value, p_value, std_err = stats.linregress(
    df_anomaly["blob_count"].astype(float), df_anomaly["block_first_seen_ms"]
)

# Calculate expected value and residual
df_anomaly["expected_ms"] = intercept + slope * df_anomaly["blob_count"].astype(float)
df_anomaly["residual_ms"] = df_anomaly["block_first_seen_ms"] - df_anomaly["expected_ms"]

# Calculate residual standard deviation
residual_std = df_anomaly["residual_ms"].std()

# Flag anomalies: residual > 2σ (unexpectedly slow)
df_anomaly["is_anomaly"] = df_anomaly["residual_ms"] > 2 * residual_std

n_anomalies = df_anomaly["is_anomaly"].sum()
pct_anomalies = n_anomalies / len(df_anomaly) * 100

# Prepare outliers dataframe
df_outliers = df_anomaly[df_anomaly["is_anomaly"]].copy()
df_outliers["relay"] = df_outliers["winning_relays"].apply(lambda x: x[0] if len(x) > 0 else "Local")
df_outliers["proposer"] = df_outliers["proposer_entity"].fillna("Unknown")
df_outliers["builder"] = df_outliers["winning_builder"].apply(
    lambda x: f"{x[:10]}..." if pd.notna(x) and x else "Local"
)

print(f"Regression: block_ms = {intercept:.1f} + {slope:.2f} × blob_count (R² = {r_value**2:.3f})")
print(f"Residual σ = {residual_std:.1f}ms")
print(f"Anomalies (>2σ slow): {n_anomalies:,} ({pct_anomalies:.1f}%)")
Regression: block_ms = 1746.7 + 14.18 × blob_count (R² = 0.007)
Residual σ = 637.2ms
Anomalies (>2σ slow): 335 (5.1%)
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
13949024 0 12954 1747 +11207 solo_stakers Local Local
13947424 0 5482 1747 +3735 upbit Local Local
13947314 0 5390 1747 +3643 kucoin Local Local
13943648 0 5370 1747 +3623 rocketpool Local Local
13948256 5 5324 1818 +3506 piertwo Local Local
13946977 0 5038 1747 +3291 blockdaemon Local Local
13946048 5 5007 1818 +3189 paralinker Local Local
13943553 0 4827 1747 +3080 rocketpool Local Local
13946222 0 4789 1747 +3042 binance Local Local
13945399 0 4623 1747 +2876 solo_stakers Local Local
13948833 0 4389 1747 +2642 bridgetower_lido Local Local
13948257 0 4228 1747 +2481 kraken Local Local
13943616 0 4202 1747 +2455 blockdaemon Local Local
13944936 0 4182 1747 +2435 solo_stakers Local Local
13944416 0 4167 1747 +2420 blockdaemon_lido Local Local
13947496 0 3924 1747 +2177 whale_0x8ebd Local Local
13947025 1 3844 1761 +2083 blockdaemon 0x8527d16c... Ultra Sound
13947569 0 3823 1747 +2076 blockdaemon 0x8a850621... Titan Relay
13942816 0 3725 1747 +1978 blockdaemon_lido 0x88857150... Ultra Sound
13947292 1 3739 1761 +1978 nethermind_lido 0x853b0078... Agnostic Gnosis
13947319 1 3728 1761 +1967 nethermind_lido 0x8527d16c... Ultra Sound
13947968 0 3705 1747 +1958 ether.fi 0x82c466b9... EthGas
13947825 0 3679 1747 +1932 coinbase 0xb26f9666... Titan Relay
13947053 0 3622 1747 +1875 blockdaemon 0xb4ce6162... Ultra Sound
13947699 0 3605 1747 +1858 everstake 0x8527d16c... Ultra Sound
13943840 0 3598 1747 +1851 blockdaemon 0x88857150... Ultra Sound
13947979 3 3631 1789 +1842 whale_0x8ebd 0x8db2a99d... Ultra Sound
13946866 11 3731 1903 +1828 whale_0x8ebd 0xb67eaa5e... Aestus
13947111 5 3636 1818 +1818 whale_0x8ebd 0xb26f9666... Titan Relay
13946911 0 3564 1747 +1817 kiln 0xb26f9666... Titan Relay
13947176 0 3546 1747 +1799 everstake 0x8527d16c... Ultra Sound
13944961 1 3556 1761 +1795 csm_operator148_lido 0x88a53ec4... BloXroute Regulated
13944631 0 3537 1747 +1790 chainlayer_lido Local Local
13943662 13 3718 1931 +1787 whale_0x8ebd 0x8db2a99d... Aestus
13945591 9 3655 1874 +1781 chainlayer_lido Local Local
13947897 7 3605 1846 +1759 coinbase 0xb26f9666... Titan Relay
13946913 5 3572 1818 +1754 coinbase 0xb26f9666... Titan Relay
13948001 0 3501 1747 +1754 everstake 0xb26f9666... Titan Relay
13946908 0 3500 1747 +1753 everstake 0xb26f9666... Titan Relay
13947545 1 3505 1761 +1744 everstake 0xb26f9666... Titan Relay
13947600 0 3473 1747 +1726 everstake 0xb26f9666... Titan Relay
13943463 12 3643 1917 +1726 solo_stakers 0x91b123d8... Ultra Sound
13947474 1 3484 1761 +1723 everstake 0xb26f9666... Titan Relay
13946513 5 3537 1818 +1719 coinbase 0xb67eaa5e... Aestus
13948116 0 3462 1747 +1715 blockdaemon_lido 0x851b00b1... Ultra Sound
13945202 1 3476 1761 +1715 blockdaemon 0xb4ce6162... Ultra Sound
13946960 3 3496 1789 +1707 everstake 0x88cd924c... Ultra Sound
13949465 6 3538 1832 +1706 stakingfacilities_lido 0xb67eaa5e... BloXroute Regulated
13947081 2 3468 1775 +1693 everstake 0xb26f9666... Titan Relay
13947722 5 3510 1818 +1692 everstake 0xb26f9666... Titan Relay
13947564 0 3439 1747 +1692 everstake 0xb26f9666... Titan Relay
13944906 11 3590 1903 +1687 chainlayer_lido Local Local
13947824 0 3431 1747 +1684 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13946083 3 3461 1789 +1672 blockdaemon 0x855b00e6... BloXroute Max Profit
13947597 2 3445 1775 +1670 everstake 0xb26f9666... Titan Relay
13946872 5 3484 1818 +1666 whale_0x8ebd 0x857b0038... Ultra Sound
13946592 0 3407 1747 +1660 gateway.fmas_lido 0x8527d16c... Ultra Sound
13947935 5 3476 1818 +1658 solo_stakers 0xac23f8cc... Ultra Sound
13947840 0 3404 1747 +1657 binance 0x8db2a99d... Flashbots
13947651 5 3461 1818 +1643 everstake 0xb26f9666... Titan Relay
13946276 1 3403 1761 +1642 nethermind_lido 0x8527d16c... Ultra Sound
13945376 5 3453 1818 +1635 blockdaemon 0x8a850621... Titan Relay
13947712 6 3464 1832 +1632 whale_0xedc6 0x823e0146... Ultra Sound
13945803 0 3376 1747 +1629 chainlayer_lido Local Local
13944907 1 3388 1761 +1627 blockdaemon_lido 0xb4ce6162... Ultra Sound
13948640 3 3414 1789 +1625 stakingfacilities_lido 0x8527d16c... Ultra Sound
13947890 1 3381 1761 +1620 coinbase 0x8db2a99d... Aestus
13944019 0 3360 1747 +1613 nethermind_lido 0xb26f9666... Aestus
13945998 5 3430 1818 +1612 nethermind_lido 0x8527d16c... Ultra Sound
13946940 3 3401 1789 +1612 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
13947740 6 3443 1832 +1611 whale_0x8ebd 0x853b0078... Flashbots
13946752 4 3410 1803 +1607 bitstamp 0xac23f8cc... BloXroute Max Profit
13947451 6 3436 1832 +1604 everstake 0xb26f9666... Titan Relay
13946199 1 3358 1761 +1597 blockdaemon 0xb7c5fbdd... BloXroute Max Profit
13943527 0 3342 1747 +1595 chainlayer_lido Local Local
13949361 1 3355 1761 +1594 blockdaemon Local Local
13943982 13 3519 1931 +1588 chainlayer_lido Local Local
13948720 3 3377 1789 +1588 solo_stakers 0x855b00e6... Ultra Sound
13943038 0 3333 1747 +1586 blockdaemon_lido 0x8527d16c... Ultra Sound
13944854 0 3331 1747 +1584 luno 0xb26f9666... Titan Relay
13945648 4 3379 1803 +1576 nethermind_lido 0x88857150... Ultra Sound
13948118 0 3322 1747 +1575 coinbase 0xb67eaa5e... Aestus
13947209 6 3406 1832 +1574 blockdaemon 0x85fb0503... BloXroute Max Profit
13942804 17 3562 1988 +1574 chainlayer_lido Local Local
13943137 1 3335 1761 +1574 chainlayer_lido Local Local
13947231 8 3431 1860 +1571 stader 0x8527d16c... Ultra Sound
13948074 0 3315 1747 +1568 luno 0x850b00e0... BloXroute Regulated
13944219 0 3306 1747 +1559 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13949536 1 3320 1761 +1559 whale_0x8ebd Local Local
13945739 5 3373 1818 +1555 blockdaemon 0xb4ce6162... Ultra Sound
13949638 0 3302 1747 +1555 blockdaemon Local Local
13944964 0 3302 1747 +1555 blockdaemon 0xb26f9666... Titan Relay
13946996 4 3358 1803 +1555 blockdaemon 0x853b0078... Ultra Sound
13949737 0 3301 1747 +1554 lido Local Local
13945791 0 3300 1747 +1553 ether.fi 0xb67eaa5e... BloXroute Regulated
13943735 0 3298 1747 +1551 p2porg 0x88cd924c... Agnostic Gnosis
13947013 1 3311 1761 +1550 nethermind_lido 0x855b00e6... Flashbots
13943225 0 3296 1747 +1549 0xb26f9666... Titan Relay
13946215 0 3288 1747 +1541 blockdaemon 0x88857150... Ultra Sound
13946274 0 3287 1747 +1540 blockdaemon 0x8a850621... Titan Relay
13943800 0 3286 1747 +1539 blockdaemon 0x83bee517... BloXroute Max Profit
13946885 0 3285 1747 +1538 coinbase 0xb4ce6162... Ultra Sound
13943915 0 3283 1747 +1536 blockdaemon_lido 0xb26f9666... Titan Relay
13947537 5 3353 1818 +1535 whale_0xdc8d 0x8db2a99d... Ultra Sound
13947346 5 3349 1818 +1531 coinbase 0xb4ce6162... Ultra Sound
13947416 3 3317 1789 +1528 whale_0xdc8d 0x8527d16c... Ultra Sound
13947058 6 3357 1832 +1525 luno 0x8527d16c... Ultra Sound
13946989 5 3342 1818 +1524 luno 0x823e0146... Ultra Sound
13945860 0 3271 1747 +1524 whale_0xdc8d 0x88510a78... Ultra Sound
13945846 1 3280 1761 +1519 blockdaemon 0x82c466b9... Ultra Sound
13944694 8 3377 1860 +1517 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13948562 0 3263 1747 +1516 blockdaemon_lido 0x83d6a6ab... BloXroute Max Profit
13945349 1 3277 1761 +1516 p2porg 0x8527d16c... Ultra Sound
13943396 0 3262 1747 +1515 blockdaemon 0xb26f9666... Titan Relay
13945233 1 3276 1761 +1515 blockdaemon 0x850b00e0... BloXroute Regulated
13946944 3 3302 1789 +1513 kraken 0xb26f9666... Titan Relay
13943531 0 3259 1747 +1512 blockdaemon_lido 0x83bee517... BloXroute Regulated
13948628 1 3273 1761 +1512 blockdaemon 0x8527d16c... Ultra Sound
13946916 7 3354 1846 +1508 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13947005 6 3338 1832 +1506 coinbase 0x8db2a99d... Ultra Sound
13946675 0 3252 1747 +1505 whale_0x8ebd 0xb4ce6162... Ultra Sound
13948984 0 3251 1747 +1504 blockdaemon_lido 0x85fb0503... BloXroute Max Profit
13945807 5 3320 1818 +1502 nethermind_lido 0x853b0078... Agnostic Gnosis
13947085 4 3303 1803 +1500 whale_0x8ebd 0x856b0004... Agnostic Gnosis
13946396 0 3246 1747 +1499 blockdaemon_lido 0x8527d16c... Ultra Sound
13947578 5 3316 1818 +1498 revolut 0x856b0004... Ultra Sound
13948230 10 3382 1888 +1494 blockdaemon 0x88857150... Ultra Sound
13948132 5 3311 1818 +1493 blockdaemon 0x88a53ec4... BloXroute Regulated
13949714 1 3252 1761 +1491 blockdaemon Local Local
13944732 0 3237 1747 +1490 whale_0x8ebd 0xb4ce6162... Ultra Sound
13943863 0 3235 1747 +1488 blockdaemon_lido 0x99dbe3e8... Ultra Sound
13943096 2 3263 1775 +1488 whale_0xdc8d 0x856b0004... Ultra Sound
13947022 0 3226 1747 +1479 kiln 0x823e0146... Ultra Sound
13942843 14 3424 1945 +1479 coinbase 0xb7c5e609... BloXroute Max Profit
13944673 5 3296 1818 +1478 blockdaemon_lido 0x8527d16c... Ultra Sound
13949553 2 3252 1775 +1477 blockdaemon_lido Local Local
13948599 1 3234 1761 +1473 coinbase 0xb4ce6162... Ultra Sound
13949472 6 3304 1832 +1472 p2porg Local Local
13946418 0 3217 1747 +1470 blockdaemon 0xac23f8cc... BloXroute Max Profit
13944395 1 3231 1761 +1470 blockdaemon 0x8db2a99d... BloXroute Max Profit
13944484 7 3316 1846 +1470 luno 0xac23f8cc... Ultra Sound
13947822 5 3287 1818 +1469 blockdaemon_lido 0x8527d16c... Ultra Sound
13947290 0 3216 1747 +1469 coinbase 0x851b00b1... BloXroute Max Profit
13947951 6 3301 1832 +1469 0xb26f9666... BloXroute Max Profit
13942818 5 3285 1818 +1467 blockdaemon 0x8db2a99d... Ultra Sound
13946256 5 3285 1818 +1467 p2porg 0x88857150... Ultra Sound
13946541 8 3323 1860 +1463 whale_0xdc8d 0x8527d16c... Ultra Sound
13945811 9 3337 1874 +1463 nethermind_lido 0xac23f8cc... BloXroute Max Profit
13947322 5 3279 1818 +1461 coinbase 0x856b0004... Aestus
13942896 5 3278 1818 +1460 blockdaemon 0x853b0078... Ultra Sound
13944926 1 3221 1761 +1460 whale_0x8ebd 0x88857150... Ultra Sound
13944601 1 3220 1761 +1459 revolut 0xb26f9666... Titan Relay
13947143 1 3220 1761 +1459 nethermind_lido 0x850b00e0... BloXroute Max Profit
13946291 2 3232 1775 +1457 nethermind_lido 0x855b00e6... BloXroute Max Profit
13944298 8 3315 1860 +1455 blockdaemon_lido 0xa230e2cf... BloXroute Regulated
13946968 5 3272 1818 +1454 ether.fi 0x82c466b9... EthGas
13949002 7 3300 1846 +1454 blockdaemon_lido 0x82c466b9... Ultra Sound
13948208 0 3197 1747 +1450 nethermind_lido 0x851b00b1... BloXroute Max Profit
13945263 1 3211 1761 +1450 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13943488 5 3267 1818 +1449 blockdaemon_lido 0xb26f9666... Titan Relay
13946928 0 3194 1747 +1447 bitstamp 0x88a53ec4... BloXroute Max Profit
13945598 1 3207 1761 +1446 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13946878 0 3191 1747 +1444 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13945703 5 3261 1818 +1443 whale_0x8ebd 0xb4ce6162... Ultra Sound
13947957 2 3218 1775 +1443 p2porg 0x850b00e0... BloXroute Regulated
13943263 6 3274 1832 +1442 nethermind_lido 0x855b00e6... BloXroute Max Profit
13947788 0 3186 1747 +1439 whale_0x8ebd 0xb4ce6162... Ultra Sound
13947089 6 3267 1832 +1435 kraken 0x82c466b9... EthGas
13948364 6 3267 1832 +1435 blockdaemon_lido 0x8527d16c... Ultra Sound
13947769 1 3196 1761 +1435 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13942897 0 3178 1747 +1431 whale_0x8ebd 0x857b0038... Ultra Sound
13945820 6 3261 1832 +1429 bitstamp 0x88a53ec4... BloXroute Max Profit
13944431 1 3189 1761 +1428 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13947279 6 3259 1832 +1427 coinbase 0xb26f9666... BloXroute Regulated
13947216 0 3173 1747 +1426 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13949102 3 3215 1789 +1426 whale_0x8ebd 0x8527d16c... Ultra Sound
13945508 8 3285 1860 +1425 kiln 0xb26f9666... Titan Relay
13943055 5 3242 1818 +1424 revolut 0xb67eaa5e... BloXroute Regulated
13944494 1 3185 1761 +1424 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13947150 5 3239 1818 +1421 liquid_collective 0xb26f9666... Titan Relay
13943113 0 3168 1747 +1421 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13947357 1 3182 1761 +1421 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13944061 4 3224 1803 +1421 nethermind_lido 0xb7c5e609... BloXroute Max Profit
13946859 0 3166 1747 +1419 whale_0x8ebd 0x823e0146... Ultra Sound
13946111 5 3236 1818 +1418 revolut 0xb7c5c39a... BloXroute Regulated
13943187 7 3264 1846 +1418 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13948188 0 3163 1747 +1416 bitstamp 0x850b00e0... BloXroute Max Profit
13947786 6 3248 1832 +1416 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13945656 7 3262 1846 +1416 blockdaemon 0x8527d16c... Ultra Sound
13945254 0 3162 1747 +1415 blockdaemon_lido 0x851b00b1... BloXroute Max Profit
13948795 1 3176 1761 +1415 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13947519 3 3204 1789 +1415 coinbase 0x8527d16c... Ultra Sound
13944808 0 3161 1747 +1414 revolut 0x88857150... Ultra Sound
13944138 0 3161 1747 +1414 blockdaemon_lido 0x9589cf28... Ultra Sound
13947204 0 3161 1747 +1414 coinbase 0x853b0078... BloXroute Max Profit
13947240 9 3288 1874 +1414 coinbase 0x8527d16c... Ultra Sound
13947604 0 3160 1747 +1413 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13943710 0 3160 1747 +1413 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13946522 5 3230 1818 +1412 blockdaemon 0xb7c5c39a... BloXroute Regulated
13949026 1 3172 1761 +1411 p2porg 0x8db2a99d... BloXroute Max Profit
13949204 0 3157 1747 +1410 gateway.fmas_lido 0x99dbe3e8... Agnostic Gnosis
13945221 2 3185 1775 +1410 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13943784 0 3155 1747 +1408 gateway.fmas_lido 0x88cd924c... Agnostic Gnosis
13948007 8 3267 1860 +1407 gateway.fmas_lido 0x8db2a99d... Ultra Sound
13942853 5 3220 1818 +1402 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13946149 1 3163 1761 +1402 everstake 0x856b0004... Agnostic Gnosis
13944071 6 3233 1832 +1401 blockdaemon_lido 0xb7c5e609... BloXroute Max Profit
13947177 0 3145 1747 +1398 coinbase 0x8a850621... Titan Relay
13948308 7 3244 1846 +1398 blockdaemon 0x823e0146... Ultra Sound
13943383 0 3143 1747 +1396 0x850b00e0... BloXroute Regulated
13946571 7 3241 1846 +1395 p2porg 0xb67eaa5e... Aestus
13942912 0 3139 1747 +1392 bridgetower_lido 0x8527d16c... Ultra Sound
13942868 0 3136 1747 +1389 revolut 0x8527d16c... Ultra Sound
13948447 0 3135 1747 +1388 whale_0x8ebd 0xb26f9666... Titan Relay
13947838 0 3134 1747 +1387 stakingfacilities_lido 0x8527d16c... Ultra Sound
13945165 6 3219 1832 +1387 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13944771 6 3217 1832 +1385 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
13948843 0 3131 1747 +1384 p2porg 0xb26f9666... Titan Relay
13948972 0 3131 1747 +1384 p2porg 0x855b00e6... BloXroute Max Profit
13942878 10 3272 1888 +1384 revolut 0xb26f9666... Titan Relay
13946505 6 3213 1832 +1381 everstake 0xb26f9666... Aestus
13945281 0 3127 1747 +1380 nethermind_lido 0x88857150... Ultra Sound
13943475 1 3140 1761 +1379 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13944305 0 3125 1747 +1378 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13943410 0 3124 1747 +1377 kraken 0x82c466b9... EthGas
13946389 8 3237 1860 +1377 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13947080 5 3194 1818 +1376 coinbase 0xb4ce6162... Ultra Sound
13946157 5 3194 1818 +1376 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13946975 9 3248 1874 +1374 0x855b00e6... BloXroute Max Profit
13947288 5 3191 1818 +1373 gateway.fmas_lido 0x8527d16c... Ultra Sound
13943608 0 3120 1747 +1373 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
13944151 4 3176 1803 +1373 whale_0x8ebd 0x88cd924c... Ultra Sound
13947674 15 3331 1959 +1372 everstake 0x8db2a99d... BloXroute Max Profit
13942954 8 3230 1860 +1370 blockdaemon_lido 0x8527d16c... Ultra Sound
13948989 4 3172 1803 +1369 p2porg 0x8db2a99d... BloXroute Regulated
13946669 11 3269 1903 +1366 0xb67eaa5e... BloXroute Regulated
13948694 3 3155 1789 +1366 blockdaemon_lido 0x8db2a99d... BloXroute Max Profit
13948120 11 3268 1903 +1365 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13944127 0 3111 1747 +1364 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13949088 1 3125 1761 +1364 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13948926 0 3110 1747 +1363 blockdaemon 0xb67eaa5e... BloXroute Regulated
13949127 0 3109 1747 +1362 whale_0xedc6 0xb26f9666... BloXroute Max Profit
13944337 5 3179 1818 +1361 coinbase 0xb67eaa5e... BloXroute Max Profit
13947049 0 3108 1747 +1361 coinbase 0x8a850621... Titan Relay
13944573 10 3249 1888 +1361 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13942927 8 3220 1860 +1360 p2porg 0x855b00e6... BloXroute Max Profit
13944197 1 3119 1761 +1358 p2porg 0x88857150... Ultra Sound
13947285 0 3104 1747 +1357 bitstamp 0xb67eaa5e... BloXroute Max Profit
13947781 7 3203 1846 +1357 kiln 0x853b0078... Aestus
13945662 0 3103 1747 +1356 blockdaemon 0x8527d16c... Ultra Sound
13946226 0 3102 1747 +1355 p2porg 0x853b0078... Titan Relay
13943317 0 3102 1747 +1355 p2porg 0x850b00e0... BloXroute Regulated
13947630 8 3214 1860 +1354 everstake 0x88a53ec4... BloXroute Max Profit
13949667 5 3170 1818 +1352 whale_0x8ebd 0xb26f9666... Titan Relay
13947142 8 3212 1860 +1352 whale_0x8ebd 0x88857150... Ultra Sound
13944709 0 3096 1747 +1349 stader 0xb67eaa5e... BloXroute Max Profit
13947554 0 3095 1747 +1348 kraken 0xb26f9666... Titan Relay
13943411 1 3108 1761 +1347 whale_0x8ebd 0x8a850621... Titan Relay
13948699 7 3193 1846 +1347 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13948617 1 3107 1761 +1346 coinbase 0x8527d16c... Ultra Sound
13948173 0 3091 1747 +1344 gateway.fmas_lido 0x8527d16c... Ultra Sound
13945527 0 3090 1747 +1343 p2porg 0x850b00e0... BloXroute Regulated
13947429 2 3117 1775 +1342 coinbase 0x855b00e6... Flashbots
13948292 0 3086 1747 +1339 coinbase 0x88a53ec4... BloXroute Max Profit
13947909 6 3171 1832 +1339 stakingfacilities_lido 0x8527d16c... Ultra Sound
13946769 1 3098 1761 +1337 bitstamp 0x8527d16c... Ultra Sound
13947366 5 3154 1818 +1336 kiln 0xb26f9666... Aestus
13945434 13 3266 1931 +1335 blockdaemon_lido 0x853b0078... Ultra Sound
13949573 0 3081 1747 +1334 whale_0x8ebd 0x851b00b1... BloXroute Max Profit
13947913 6 3166 1832 +1334 bitstamp 0x850b00e0... BloXroute Max Profit
13943413 6 3166 1832 +1334 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13943670 0 3080 1747 +1333 everstake 0x88a53ec4... Aestus
13947715 1 3094 1761 +1333 solo_stakers 0xb26f9666... BloXroute Max Profit
13946010 9 3207 1874 +1333 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13949030 0 3079 1747 +1332 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13944613 11 3235 1903 +1332 blockdaemon 0x823e0146... Ultra Sound
13947320 3 3121 1789 +1332 stakingfacilities_lido 0x853b0078... Ultra Sound
13946858 0 3077 1747 +1330 stakingfacilities_lido 0x8527d16c... Ultra Sound
13945868 0 3076 1747 +1329 whale_0x8ebd 0x88857150... Ultra Sound
13944041 8 3189 1860 +1329 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13943974 0 3074 1747 +1327 p2porg 0xada2319b... Ultra Sound
13948137 6 3159 1832 +1327 whale_0x8ebd 0x823e0146... BloXroute Max Profit
13943401 1 3088 1761 +1327 solo_stakers 0xb67eaa5e... BloXroute Regulated
13946965 3 3115 1789 +1326 figment 0x8527d16c... Ultra Sound
13949414 0 3072 1747 +1325 whale_0x8ebd 0xb26f9666... Titan Relay
13947269 6 3157 1832 +1325 0x853b0078... Aestus
13949549 0 3071 1747 +1324 whale_0xedc6 0xb26f9666... BloXroute Max Profit
13946789 1 3085 1761 +1324 whale_0x8ebd 0x8527d16c... Ultra Sound
13943786 0 3067 1747 +1320 blockdaemon_lido 0xba003e46... BloXroute Max Profit
13947501 8 3179 1860 +1319 solo_stakers 0xb26f9666... BloXroute Max Profit
13948885 0 3065 1747 +1318 blockdaemon 0xb4ce6162... Ultra Sound
13947164 5 3135 1818 +1317 p2porg 0x88857150... Ultra Sound
13943559 0 3061 1747 +1314 figment 0x851b00b1... BloXroute Max Profit
13947004 8 3171 1860 +1311 everstake 0xac23f8cc... Ultra Sound
13945750 5 3128 1818 +1310 coinbase 0x88a53ec4... BloXroute Max Profit
13944478 4 3112 1803 +1309 coinbase 0x850b00e0... BloXroute Max Profit
13944218 0 3055 1747 +1308 p2porg 0xb211df49... Agnostic Gnosis
13945151 1 3069 1761 +1308 0x856b0004... Agnostic Gnosis
13948797 0 3054 1747 +1307 p2porg 0x8527d16c... Ultra Sound
13947065 1 3066 1761 +1305 0xb67eaa5e... BloXroute Max Profit
13949119 10 3193 1888 +1305 p2porg 0xb26f9666... Titan Relay
13947667 5 3122 1818 +1304 everstake 0x856b0004... Agnostic Gnosis
13945963 0 3048 1747 +1301 whale_0xedc6 0xb67eaa5e... Aestus
13949277 6 3133 1832 +1301 p2porg 0x8527d16c... Ultra Sound
13947571 4 3102 1803 +1299 stakingfacilities_lido 0x88857150... Ultra Sound
13946638 1 3056 1761 +1295 p2porg 0x88857150... Ultra Sound
13948072 2 3070 1775 +1295 p2porg 0x856b0004... Aestus
13944050 0 3041 1747 +1294 p2porg 0x851b00b1... BloXroute Max Profit
13947456 1 3055 1761 +1294 coinbase 0xb26f9666... Titan Relay
13945174 0 3040 1747 +1293 p2porg 0x856b0004... Aestus
13943630 0 3040 1747 +1293 p2porg 0xb26f9666... Aestus
13948384 18 3295 2002 +1293 0xac23f8cc... Ultra Sound
13944372 6 3123 1832 +1291 whale_0x8ebd 0x8db2a99d... Ultra Sound
13945212 0 3037 1747 +1290 0xb26f9666... BloXroute Max Profit
13945184 1 3051 1761 +1290 coinbase 0xb67eaa5e... BloXroute Max Profit
13947324 1 3051 1761 +1290 kiln 0x856b0004... Agnostic Gnosis
13946491 0 3036 1747 +1289 0x8527d16c... Ultra Sound
13949627 0 3034 1747 +1287 whale_0x7b0e Local Local
13946182 2 3062 1775 +1287 whale_0x8ebd 0x88857150... Ultra Sound
13946288 0 3033 1747 +1286 whale_0x8ebd 0x83bee517... Flashbots
13946532 2 3061 1775 +1286 whale_0xedc6 0x856b0004... Aestus
13944096 0 3032 1747 +1285 whale_0x8ebd 0xb26f9666... Titan Relay
13943173 5 3101 1818 +1283 whale_0x8ebd 0x853b0078... Aestus
13947583 6 3115 1832 +1283 everstake 0xb4ce6162... Ultra Sound
13946672 1 3044 1761 +1283 solo_stakers 0x850b00e0... BloXroute Max Profit
13948088 1 3044 1761 +1283 whale_0x8ebd 0xb26f9666... Titan Relay
13946649 1 3044 1761 +1283 coinbase 0x823e0146... Ultra Sound
13947626 6 3114 1832 +1282 kiln 0x853b0078... Aestus
13943869 3 3070 1789 +1281 kiln 0x8db2a99d... Flashbots
13945510 7 3125 1846 +1279 kiln 0x8527d16c... Ultra Sound
13943316 0 3025 1747 +1278 coinbase 0xb67eaa5e... BloXroute Regulated
13943030 0 3024 1747 +1277 p2porg 0x8527d16c... Ultra Sound
13947130 10 3165 1888 +1277 everstake 0x853b0078... Aestus
13949644 0 3023 1747 +1276 whale_0x8ebd Local Local
13949099 4 3078 1803 +1275 everstake 0xb4ce6162... Ultra Sound
Total anomalies: 335

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