Thu, Apr 2, 2026

Propagation anomalies - 2026-04-02

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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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-04-02' AND slot_start_date_time < '2026-04-02'::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,192
MEV blocks: 6,606 (91.9%)
Local blocks: 586 (8.1%)

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 = 1715.2 + 15.12 × blob_count (R² = 0.009)
Residual σ = 621.1ms
Anomalies (>2σ slow): 388 (5.4%)
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
14029081 0 10378 1715 +8663 solo_stakers Local Local
14026398 0 5865 1715 +4150 whale_0x8ebd Local Local
14025209 0 5524 1715 +3809 everstake Local Local
14028832 0 4716 1715 +3001 upbit Local Local
14022273 0 4576 1715 +2861 stakefish_lido 0x88857150... Ultra Sound
14027118 0 4493 1715 +2778 liquid_collective Local Local
14027038 0 4486 1715 +2771 liquid_collective Local Local
14025024 13 4565 1912 +2653 upbit Local Local
14026765 5 4324 1791 +2533 coinbase 0x856b0004... Ultra Sound
14026912 0 4196 1715 +2481 binance Local Local
14022272 5 4135 1791 +2344 ether.fi 0x853b0078... Agnostic Gnosis
14027482 0 3959 1715 +2244 ether.fi Local Local
14022937 0 3760 1715 +2045 whale_0xb83e 0x823e0146... Flashbots
14028211 6 3824 1806 +2018 whale_0x8ebd 0xb4ce6162... Ultra Sound
14022626 1 3745 1730 +2015 liquid_collective Local Local
14022002 0 3705 1715 +1990 liquid_collective 0xa965c911... Ultra Sound
14024224 0 3652 1715 +1937 nethermind_lido 0x88857150... Ultra Sound
14026037 1 3637 1730 +1907 ether.fi 0xb26f9666... Aestus
14027648 1 3573 1730 +1843 blockdaemon 0xb67eaa5e... BloXroute Regulated
14023081 0 3537 1715 +1822 blockdaemon_lido 0x88857150... Ultra Sound
14026593 5 3602 1791 +1811 nethermind_lido 0x855b00e6... Flashbots
14027616 1 3518 1730 +1788 stakefish 0x855b00e6... BloXroute Max Profit
14022401 0 3493 1715 +1778 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
14023088 2 3514 1745 +1769 blockdaemon_lido 0x88857150... Ultra Sound
14026720 0 3474 1715 +1759 blockdaemon 0x8a850621... Titan Relay
14024747 9 3607 1851 +1756 ether.fi Local Local
14023640 8 3582 1836 +1746 blockdaemon 0x8527d16c... Ultra Sound
14028065 2 3487 1745 +1742 lido 0x88a53ec4... BloXroute Max Profit
14026999 6 3530 1806 +1724 blockdaemon_lido 0x88857150... Ultra Sound
14027908 1 3450 1730 +1720 nethermind_lido 0x8527d16c... Ultra Sound
14026224 6 3508 1806 +1702 blockdaemon 0x8527d16c... Ultra Sound
14025816 0 3408 1715 +1693 whale_0x8ebd 0x856b0004... Agnostic Gnosis
14028748 1 3419 1730 +1689 blockdaemon 0x88857150... Ultra Sound
14024214 5 3475 1791 +1684 blockdaemon 0x8a850621... Titan Relay
14026532 1 3413 1730 +1683 ether.fi Local Local
14024682 6 3487 1806 +1681 luno 0x850b00e0... BloXroute Max Profit
14028581 6 3486 1806 +1680 nethermind_lido 0x8527d16c... Ultra Sound
14024179 0 3395 1715 +1680 ether.fi 0xb67eaa5e... Titan Relay
14024033 3 3422 1761 +1661 whale_0x8ebd 0x856b0004... Agnostic Gnosis
14029039 0 3376 1715 +1661 nethermind_lido 0x88857150... Ultra Sound
14026526 0 3371 1715 +1656 nethermind_lido 0xb26f9666... Aestus
14025123 1 3386 1730 +1656 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
14023069 1 3384 1730 +1654 whale_0x8ebd 0x8527d16c... Ultra Sound
14027475 2 3396 1745 +1651 blockdaemon 0x850b00e0... BloXroute Max Profit
14025025 0 3362 1715 +1647 whale_0x8ebd Local Local
14026029 1 3377 1730 +1647 blockdaemon 0x8527d16c... Ultra Sound
14026348 5 3437 1791 +1646 whale_0x8ebd 0x8db2a99d... Ultra Sound
14027719 2 3391 1745 +1646 blockdaemon 0xb67eaa5e... BloXroute Regulated
14025272 0 3357 1715 +1642 coinbase 0x8db2a99d... Aestus
14024664 0 3352 1715 +1637 whale_0xdc8d 0xb26f9666... Titan Relay
14028494 1 3366 1730 +1636 coinbase 0x8db2a99d... Aestus
14027412 5 3426 1791 +1635 blockdaemon_lido 0xb67eaa5e... Titan Relay
14025076 1 3362 1730 +1632 luno 0x850b00e0... BloXroute Max Profit
14026031 15 3571 1942 +1629 blockdaemon 0x88857150... Ultra Sound
14025728 5 3414 1791 +1623 blockdaemon 0xa965c911... Ultra Sound
14025519 5 3412 1791 +1621 luno 0x88a53ec4... BloXroute Max Profit
14027957 1 3350 1730 +1620 blockdaemon 0xb67eaa5e... BloXroute Regulated
14026352 12 3512 1897 +1615 blockdaemon 0x88a53ec4... BloXroute Regulated
14028687 5 3403 1791 +1612 ether.fi 0xb67eaa5e... Titan Relay
14026296 0 3321 1715 +1606 0xb67eaa5e... BloXroute Regulated
14024320 0 3318 1715 +1603 p2porg 0x850b00e0... BloXroute Regulated
14025127 6 3407 1806 +1601 luno 0x855b00e6... BloXroute Max Profit
14027889 9 3448 1851 +1597 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
14025899 2 3342 1745 +1597 whale_0xdc8d 0xb26f9666... Titan Relay
14025929 1 3324 1730 +1594 luno 0xb67eaa5e... BloXroute Regulated
14022324 0 3308 1715 +1593 liquid_collective 0x88a53ec4... BloXroute Regulated
14027102 6 3397 1806 +1591 blockdaemon 0x8a850621... BloXroute Max Profit
14024589 5 3372 1791 +1581 p2porg 0x88a53ec4... BloXroute Max Profit
14028555 4 3352 1776 +1576 whale_0x8ebd 0x8db2a99d... Aestus
14023065 4 3347 1776 +1571 blockdaemon 0x853b0078... BloXroute Max Profit
14024186 9 3421 1851 +1570 liquid_collective 0xb26f9666... Titan Relay
14026040 0 3284 1715 +1569 luno 0xb67eaa5e... BloXroute Max Profit
14027674 5 3359 1791 +1568 kiln 0xb67eaa5e... BloXroute Regulated
14023846 6 3374 1806 +1568 nethermind_lido 0xb26f9666... Aestus
14026390 0 3281 1715 +1566 blockdaemon 0xb26f9666... Titan Relay
14026664 0 3280 1715 +1565 liquid_collective 0x8db2a99d... BloXroute Max Profit
14026220 10 3427 1866 +1561 blockdaemon_lido 0x8527d16c... Ultra Sound
14023257 7 3381 1821 +1560 whale_0x8ebd 0x8db2a99d... Ultra Sound
14025783 6 3365 1806 +1559 blockdaemon_lido 0xb26f9666... Titan Relay
14023297 0 3274 1715 +1559 blockdaemon 0x88857150... Ultra Sound
14025516 2 3301 1745 +1556 blockdaemon 0x855b00e6... BloXroute Max Profit
14023533 5 3345 1791 +1554 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14028361 1 3280 1730 +1550 whale_0xdc8d 0xb67eaa5e... BloXroute Max Profit
14029097 5 3339 1791 +1548 blockdaemon 0xb26f9666... Titan Relay
14026014 6 3352 1806 +1546 coinbase 0xb73d7672... Aestus
14025813 2 3289 1745 +1544 blockdaemon_lido 0x8527d16c... Ultra Sound
14023844 5 3331 1791 +1540 blockdaemon_lido 0x8527d16c... Ultra Sound
14023912 5 3330 1791 +1539 blockdaemon_lido 0x850b00e0... BloXroute Regulated
14022188 1 3268 1730 +1538 blockdaemon 0xb67eaa5e... BloXroute Regulated
14028981 0 3252 1715 +1537 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
14022115 0 3250 1715 +1535 liquid_collective 0xb67eaa5e... BloXroute Max Profit
14023551 13 3446 1912 +1534 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
14028461 7 3354 1821 +1533 blockdaemon_lido 0x88857150... Ultra Sound
14027773 3 3292 1761 +1531 whale_0x8ebd 0x857b0038... Ultra Sound
14026685 0 3243 1715 +1528 blockdaemon_lido 0xb72cae2f... Ultra Sound
14024049 0 3242 1715 +1527 liquid_collective 0xb67eaa5e... BloXroute Max Profit
14022968 0 3241 1715 +1526 p2porg 0x88857150... Ultra Sound
14023967 0 3239 1715 +1524 whale_0xdc8d 0x8db2a99d... BloXroute Max Profit
14022000 5 3311 1791 +1520 revolut 0xb7c5e609... BloXroute Regulated
14028727 2 3264 1745 +1519 whale_0xdc8d 0xb26f9666... Titan Relay
14024726 5 3309 1791 +1518 whale_0x8ebd 0x88857150... Ultra Sound
14022052 0 3233 1715 +1518 revolut 0xb26f9666... Titan Relay
14023832 1 3245 1730 +1515 liquid_collective 0x850b00e0... BloXroute Max Profit
14024583 5 3305 1791 +1514 whale_0xdc8d 0xb26f9666... Titan Relay
14025042 5 3302 1791 +1511 whale_0xdc8d 0x88857150... Ultra Sound
14024584 6 3317 1806 +1511 whale_0x8ebd 0x856b0004... Agnostic Gnosis
14026466 3 3270 1761 +1509 abyss_finance 0xac23f8cc... Ultra Sound
14028104 6 3312 1806 +1506 p2porg 0x8db2a99d... Ultra Sound
14023326 6 3306 1806 +1500 bitstamp 0x8db2a99d... BloXroute Max Profit
14026940 8 3335 1836 +1499 liquid_collective 0xb26f9666... Titan Relay
14025547 0 3214 1715 +1499 revolut 0x82c466b9... Ultra Sound
14026099 7 3312 1821 +1491 luno 0xa965c911... Ultra Sound
14023488 10 3357 1866 +1491 stakingfacilities_lido Local Local
14027001 10 3353 1866 +1487 blockdaemon_lido 0x88857150... Ultra Sound
14028181 0 3201 1715 +1486 coinbase 0x82c466b9... Flashbots
14023621 10 3352 1866 +1486 0xb26f9666... Titan Relay
14023354 0 3200 1715 +1485 whale_0x8ebd 0x8527d16c... Ultra Sound
14022706 0 3198 1715 +1483 everstake 0xa0366397... Flashbots
14024805 1 3213 1730 +1483 blockdaemon 0xb67eaa5e... BloXroute Max Profit
14022716 6 3286 1806 +1480 revolut 0xb26f9666... BloXroute Regulated
14023260 0 3195 1715 +1480 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14025294 5 3270 1791 +1479 bitstamp 0xb67eaa5e... BloXroute Max Profit
14023523 1 3208 1730 +1478 staked.us 0x853b0078... Ultra Sound
14023038 0 3191 1715 +1476 gateway.fmas_lido 0x8527d16c... Ultra Sound
14025865 1 3204 1730 +1474 revolut 0x853b0078... Ultra Sound
14023762 16 3429 1957 +1472 blockdaemon_lido 0x853b0078... Ultra Sound
14028538 2 3213 1745 +1468 blockdaemon 0x856b0004... BloXroute Max Profit
14028305 2 3213 1745 +1468 bitstamp 0x856b0004... Agnostic Gnosis
14024773 1 3197 1730 +1467 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
14026993 5 3255 1791 +1464 stader 0x850b00e0... BloXroute Max Profit
14022890 5 3252 1791 +1461 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14022646 10 3327 1866 +1461 blockdaemon 0x8527d16c... Ultra Sound
14029164 11 3342 1882 +1460 blockdaemon_lido 0xb4ce6162... Ultra Sound
14026418 12 3357 1897 +1460 p2porg 0x850b00e0... BloXroute Regulated
14026683 0 3168 1715 +1453 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14024270 7 3273 1821 +1452 coinbase 0xb73d7672... Flashbots
14023335 0 3167 1715 +1452 bitstamp 0x88857150... Ultra Sound
14027442 8 3287 1836 +1451 whale_0x8ebd 0xb4ce6162... Ultra Sound
14023529 11 3331 1882 +1449 blockdaemon_lido 0xb4ce6162... Ultra Sound
14029158 5 3236 1791 +1445 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
14023813 0 3160 1715 +1445 stader 0x83cae7e5... Titan Relay
14025511 6 3250 1806 +1444 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14022697 3 3201 1761 +1440 p2porg 0xb67eaa5e... Aestus
14023241 0 3155 1715 +1440 gateway.fmas_lido 0xa965c911... Ultra Sound
14024634 6 3245 1806 +1439 blockdaemon 0xb26f9666... Titan Relay
14023481 2 3184 1745 +1439 kiln 0x85fb0503... BloXroute Max Profit
14022859 6 3244 1806 +1438 p2porg 0xb67eaa5e... BloXroute Regulated
14028671 6 3242 1806 +1436 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
14024889 13 3347 1912 +1435 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
14027871 6 3239 1806 +1433 p2porg 0x850b00e0... BloXroute Regulated
14027055 2 3178 1745 +1433 gateway.fmas_lido 0x8db2a99d... Ultra Sound
14025727 7 3252 1821 +1431 whale_0x8ebd 0x8527d16c... Ultra Sound
14025085 10 3296 1866 +1430 p2porg 0x855b00e6... BloXroute Max Profit
14023708 1 3158 1730 +1428 0x855b00e6... BloXroute Max Profit
14025463 0 3141 1715 +1426 p2porg 0xb26f9666... Titan Relay
14022940 0 3139 1715 +1424 whale_0x8ebd 0x88857150... Ultra Sound
14028508 6 3229 1806 +1423 revolut 0xb26f9666... Titan Relay
14026741 1 3153 1730 +1423 p2porg 0xb67eaa5e... Aestus
14026196 1 3152 1730 +1422 bitstamp 0x823e0146... Flashbots
14024299 0 3136 1715 +1421 p2porg 0xb26f9666... Titan Relay
14027460 6 3225 1806 +1419 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14023302 1 3148 1730 +1418 p2porg 0xb67eaa5e... BloXroute Regulated
14023741 1 3148 1730 +1418 coinbase 0xb26f9666... Titan Relay
14024929 0 3132 1715 +1417 bitstamp 0xb67eaa5e... BloXroute Max Profit
14029145 8 3252 1836 +1416 blockdaemon 0xb5a65d00... Ultra Sound
14022041 11 3297 1882 +1415 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
14028937 1 3145 1730 +1415 solo_stakers 0x823e0146... Aestus
14022881 2 3159 1745 +1414 whale_0x8ebd 0xac23f8cc... BloXroute Max Profit
14024444 5 3204 1791 +1413 p2porg 0xb7c5beef... BloXroute Regulated
14025428 0 3126 1715 +1411 whale_0x8ebd 0xb26f9666... Titan Relay
14023670 0 3124 1715 +1409 p2porg 0xb26f9666... Titan Relay
14026631 0 3124 1715 +1409 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
14026511 8 3244 1836 +1408 coinbase 0xb7c5e609... BloXroute Max Profit
14024017 5 3196 1791 +1405 gateway.fmas_lido 0xb4ce6162... Ultra Sound
14028691 3 3165 1761 +1404 p2porg 0x850b00e0... BloXroute Regulated
14026488 6 3202 1806 +1396 coinbase 0xb67eaa5e... BloXroute Regulated
14026621 5 3183 1791 +1392 coinbase 0xb67eaa5e... BloXroute Regulated
14026400 7 3211 1821 +1390 kraken 0x82c466b9... EthGas
14023635 12 3286 1897 +1389 revolut 0xb26f9666... Titan Relay
14022416 0 3103 1715 +1388 p2porg 0x8527d16c... Ultra Sound
14028903 0 3103 1715 +1388 p2porg 0xb72cae2f... Ultra Sound
14022852 0 3099 1715 +1384 whale_0x8ebd 0xb4ce6162... Ultra Sound
14028824 1 3112 1730 +1382 0x8527d16c... Ultra Sound
14026793 3 3142 1761 +1381 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14024976 5 3172 1791 +1381 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14027919 0 3096 1715 +1381 p2porg 0x850b00e0... BloXroute Regulated
14027865 7 3201 1821 +1380 coinbase 0x8527d16c... Ultra Sound
14024632 1 3109 1730 +1379 p2porg 0x823e0146... Aestus
14022191 2 3124 1745 +1379 blockdaemon 0x8527d16c... Ultra Sound
14029029 0 3093 1715 +1378 p2porg 0x850b00e0... BloXroute Regulated
14028400 5 3165 1791 +1374 kiln 0x850b00e0... BloXroute Max Profit
14023176 6 3178 1806 +1372 stakingfacilities_lido 0x8db2a99d... Aestus
14029171 0 3086 1715 +1371 p2porg 0xb26f9666... Titan Relay
14022630 6 3176 1806 +1370 whale_0xedc6 0x856b0004... Ultra Sound
14023759 6 3176 1806 +1370 0x88857150... Ultra Sound
14026468 11 3251 1882 +1369 kiln 0x8527d16c... Ultra Sound
14028100 5 3157 1791 +1366 p2porg 0x850b00e0... Flashbots
14024154 0 3081 1715 +1366 p2porg 0xb26f9666... Titan Relay
14026399 0 3081 1715 +1366 kiln 0x80ad903b... BloXroute Max Profit
14022020 0 3080 1715 +1365 p2porg 0xb26f9666... Titan Relay
14023785 1 3095 1730 +1365 p2porg 0xb67eaa5e... BloXroute Max Profit
14027071 10 3231 1866 +1365 coinbase 0x88a53ec4... BloXroute Regulated
14026278 4 3140 1776 +1364 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
14027117 6 3170 1806 +1364 whale_0x8ebd 0x8db2a99d... Ultra Sound
14028218 1 3094 1730 +1364 coinbase 0x850b00e0... BloXroute Max Profit
14026977 6 3169 1806 +1363 p2porg 0x8db2a99d... Ultra Sound
14027613 1 3093 1730 +1363 coinbase 0xb26f9666... Titan Relay
14022849 0 3076 1715 +1361 p2porg 0x8527d16c... Ultra Sound
14024607 21 3393 2033 +1360 kiln 0x88a53ec4... BloXroute Max Profit
14028498 1 3090 1730 +1360 p2porg 0xb26f9666... Titan Relay
14026241 5 3149 1791 +1358 stakingfacilities_lido 0x8db2a99d... BloXroute Max Profit
14022592 0 3073 1715 +1358 0x855b00e6... BloXroute Max Profit
14022842 2 3103 1745 +1358 coinbase 0xb67eaa5e... BloXroute Max Profit
14027355 1 3087 1730 +1357 whale_0x8ebd 0x8527d16c... Ultra Sound
14027792 0 3071 1715 +1356 abyss_finance 0x8db2a99d... Ultra Sound
14022851 11 3237 1882 +1355 kiln 0xb67eaa5e... BloXroute Regulated
14028684 0 3070 1715 +1355 p2porg 0xb26f9666... BloXroute Regulated
14022941 9 3206 1851 +1355 gateway.fmas_lido 0x823e0146... Ultra Sound
14022077 0 3069 1715 +1354 kiln 0xa965c911... Ultra Sound
14024198 1 3084 1730 +1354 p2porg 0x856b0004... Agnostic Gnosis
14025521 3 3114 1761 +1353 p2porg 0xb4ce6162... Ultra Sound
14022145 0 3068 1715 +1353 0xac23f8cc... Flashbots
14026257 0 3067 1715 +1352 p2porg 0xb26f9666... Titan Relay
14028860 0 3066 1715 +1351 coinbase 0xb67eaa5e... BloXroute Regulated
14024545 0 3066 1715 +1351 p2porg 0x856b0004... Agnostic Gnosis
14022057 10 3217 1866 +1351 revolut 0xb26f9666... Titan Relay
14023554 5 3140 1791 +1349 coinbase 0xb26f9666... Titan Relay
14027224 6 3154 1806 +1348 whale_0x8ebd 0xb26f9666... Titan Relay
14026255 0 3063 1715 +1348 p2porg 0x853b0078... Aestus
14022097 0 3063 1715 +1348 p2porg 0x8527d16c... Ultra Sound
14028714 2 3093 1745 +1348 gateway.fmas_lido 0x8db2a99d... Ultra Sound
14023856 11 3229 1882 +1347 stakingfacilities_lido 0x8527d16c... Ultra Sound
14025800 5 3138 1791 +1347 p2porg 0xb26f9666... Titan Relay
14026708 7 3168 1821 +1347 coinbase 0xb67eaa5e... BloXroute Regulated
14023246 1 3077 1730 +1347 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14025099 3 3104 1761 +1343 coinbase 0xb26f9666... Titan Relay
14023786 0 3058 1715 +1343 coinbase 0xb7c5e609... BloXroute Max Profit
14025381 9 3194 1851 +1343 blockdaemon 0x8527d16c... Ultra Sound
14023190 5 3133 1791 +1342 p2porg 0x8db2a99d... Ultra Sound
14024082 5 3133 1791 +1342 whale_0x8ebd 0x8527d16c... Ultra Sound
14022412 0 3055 1715 +1340 coinbase 0xb26f9666... Aestus
14028300 0 3055 1715 +1340 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14022571 3 3100 1761 +1339 kiln 0xb26f9666... Titan Relay
14026894 6 3145 1806 +1339 coinbase Local Local
14023430 6 3144 1806 +1338 p2porg 0xb26f9666... BloXroute Max Profit
14027221 0 3052 1715 +1337 stader 0x8527d16c... Ultra Sound
14025200 5 3127 1791 +1336 kiln 0x8db2a99d... Aestus
14023514 1 3066 1730 +1336 p2porg 0x85fb0503... BloXroute Max Profit
14026457 3 3095 1761 +1334 whale_0x8ebd 0x8527d16c... Ultra Sound
14025018 4 3109 1776 +1333 coinbase 0x8527d16c... Ultra Sound
14022877 0 3047 1715 +1332 whale_0x8ebd 0x8db2a99d... Flashbots
14026663 10 3198 1866 +1332 p2porg 0x853b0078... BloXroute Regulated
14023244 7 3152 1821 +1331 whale_0x8ebd 0x856b0004... BloXroute Max Profit
14027933 0 3044 1715 +1329 whale_0x8ebd 0x8527d16c... Ultra Sound
14024620 5 3115 1791 +1324 coinbase 0x85fb0503... Aestus
14027019 0 3039 1715 +1324 coinbase 0xb67eaa5e... BloXroute Regulated
14025920 10 3190 1866 +1324 coinbase 0x88a53ec4... BloXroute Max Profit
14026756 5 3113 1791 +1322 bitstamp 0x88a53ec4... BloXroute Max Profit
14025133 5 3113 1791 +1322 whale_0x8ebd 0xb26f9666... Titan Relay
14022315 1 3052 1730 +1322 whale_0x8ebd 0x8527d16c... Ultra Sound
14023015 1 3052 1730 +1322 coinbase 0xac23f8cc... Flashbots
14025434 0 3035 1715 +1320 coinbase 0xa965c911... Ultra Sound
14022123 0 3034 1715 +1319 coinbase 0x8527d16c... Ultra Sound
14024367 1 3049 1730 +1319 p2porg 0x88857150... Ultra Sound
14025005 5 3109 1791 +1318 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14023455 0 3033 1715 +1318 coinbase 0x8db2a99d... Ultra Sound
14028855 0 3033 1715 +1318 p2porg 0x823e0146... Ultra Sound
14026027 6 3123 1806 +1317 p2porg 0x856b0004... Ultra Sound
14027950 0 3032 1715 +1317 whale_0xedc6 0x8527d16c... Ultra Sound
14024778 1 3047 1730 +1317 kiln 0x88a53ec4... BloXroute Regulated
14025429 6 3120 1806 +1314 p2porg 0x8db2a99d... Ultra Sound
14026391 0 3029 1715 +1314 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14023402 0 3028 1715 +1313 abyss_finance 0xb26f9666... BloXroute Max Profit
14028126 0 3028 1715 +1313 kiln 0x8db2a99d... Flashbots
14023519 0 3028 1715 +1313 kiln 0xb26f9666... Titan Relay
14022934 0 3028 1715 +1313 coinbase 0x823e0146... Aestus
14028964 0 3028 1715 +1313 kiln 0xb26f9666... Aestus
14027898 5 3103 1791 +1312 p2porg 0xb26f9666... Titan Relay
14024177 5 3103 1791 +1312 kiln 0xb67eaa5e... BloXroute Max Profit
14025695 0 3026 1715 +1311 coinbase 0x8db2a99d... Flashbots
14026900 4 3085 1776 +1309 coinbase 0xb26f9666... Titan Relay
14028614 1 3039 1730 +1309 kiln 0xb67eaa5e... BloXroute Regulated
14026201 5 3099 1791 +1308 coinbase 0xb67eaa5e... BloXroute Max Profit
14023890 5 3098 1791 +1307 figment 0xb26f9666... Titan Relay
14024231 5 3098 1791 +1307 p2porg 0x85fb0503... Aestus
14027534 0 3021 1715 +1306 coinbase 0xb4ce6162... Ultra Sound
14029126 1 3036 1730 +1306 coinbase 0x8db2a99d... Aestus
14023994 5 3096 1791 +1305 whale_0x8ebd 0x88857150... Ultra Sound
14024800 8 3140 1836 +1304 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14023896 0 3018 1715 +1303 stakingfacilities_lido 0xb7c5e609... BloXroute Max Profit
14026306 0 3018 1715 +1303 coinbase 0x88a53ec4... BloXroute Regulated
14027784 0 3017 1715 +1302 p2porg 0xb26f9666... Aestus
14023873 5 3092 1791 +1301 coinbase 0x823e0146... Aestus
14025412 0 3016 1715 +1301 kiln 0x8db2a99d... Flashbots
14022006 1 3030 1730 +1300 coinbase 0x853b0078... Agnostic Gnosis
14023713 0 3014 1715 +1299 coinbase 0xb67eaa5e... BloXroute Regulated
14024149 6 3104 1806 +1298 coinbase 0xb67eaa5e... BloXroute Max Profit
14023395 7 3118 1821 +1297 whale_0x8ebd 0xb26f9666... Titan Relay
14027847 0 3011 1715 +1296 coinbase 0xb26f9666... Titan Relay
14027061 4 3071 1776 +1295 p2porg 0x823e0146... Ultra Sound
14028892 8 3131 1836 +1295 p2porg 0xb26f9666... Titan Relay
14022033 8 3131 1836 +1295 whale_0x8ebd 0x8527d16c... Ultra Sound
14023745 1 3025 1730 +1295 p2porg 0x8527d16c... Ultra Sound
14028958 6 3100 1806 +1294 kiln 0xb67eaa5e... BloXroute Max Profit
14022135 0 3008 1715 +1293 kiln 0x85fb0503... BloXroute Max Profit
14028439 0 3007 1715 +1292 coinbase 0x823e0146... Aestus
14028790 0 3006 1715 +1291 whale_0x8ebd Local Local
14023042 5 3081 1791 +1290 stader 0x85fb0503... Aestus
14025044 6 3096 1806 +1290 coinbase 0xb26f9666... Titan Relay
14026989 0 3005 1715 +1290 p2porg 0xb26f9666... BloXroute Max Profit
14024702 0 3005 1715 +1290 kiln 0xb67eaa5e... BloXroute Max Profit
14025388 0 3005 1715 +1290 coinbase 0xb26f9666... Titan Relay
14022277 0 3004 1715 +1289 whale_0x8ebd 0x853b0078... Aestus
14026270 9 3139 1851 +1288 whale_0xedc6 0xb67eaa5e... BloXroute Max Profit
14025423 5 3078 1791 +1287 whale_0x8ebd 0x856b0004... Agnostic Gnosis
14028195 0 3002 1715 +1287 kiln 0x8527d16c... Ultra Sound
14024233 0 3001 1715 +1286 p2porg 0x88857150... Ultra Sound
14026824 5 3076 1791 +1285 p2porg 0x823e0146... Ultra Sound
14022653 1 3015 1730 +1285 kiln 0x8db2a99d... Flashbots
14025238 3 3045 1761 +1284 p2porg 0xb7c5c39a... BloXroute Max Profit
14025976 5 3075 1791 +1284 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14024492 6 3090 1806 +1284 whale_0x8ebd 0xb7c5c39a... BloXroute Max Profit
14025842 0 2998 1715 +1283 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14024076 0 2996 1715 +1281 whale_0x8ebd 0x85fb0503... BloXroute Max Profit
14022012 10 3147 1866 +1281 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14027192 6 3086 1806 +1280 solo_stakers 0x8db2a99d... Agnostic Gnosis
14026205 0 2995 1715 +1280 coinbase 0xba003e46... BloXroute Max Profit
14022528 0 2995 1715 +1280 everstake 0x851b00b1... Ultra Sound
14026043 6 3085 1806 +1279 p2porg 0xb26f9666... BloXroute Max Profit
14025656 4 3054 1776 +1278 p2porg 0x8db2a99d... Flashbots
14022767 6 3084 1806 +1278 p2porg 0x856b0004... Agnostic Gnosis
14027027 5 3068 1791 +1277 whale_0x8ebd 0x8db2a99d... Ultra Sound
14023224 5 3068 1791 +1277 stader 0x850b00e0... BloXroute Max Profit
14028111 1 3007 1730 +1277 0x8527d16c... Ultra Sound
14024675 3 3036 1761 +1275 coinbase 0x856b0004... Agnostic Gnosis
14023107 5 3066 1791 +1275 p2porg 0xb26f9666... BloXroute Max Profit
14023041 0 2990 1715 +1275 kiln 0x85fb0503... BloXroute Max Profit
14027272 1 3005 1730 +1275 everstake 0x88a53ec4... BloXroute Regulated
14026829 1 3005 1730 +1275 p2porg 0xb67eaa5e... BloXroute Regulated
14027189 11 3156 1882 +1274 everstake 0xb67eaa5e... BloXroute Regulated
14023422 7 3095 1821 +1274 coinbase 0xac23f8cc... Ultra Sound
14025752 8 3110 1836 +1274 coinbase 0xb67eaa5e... BloXroute Max Profit
14025644 8 3110 1836 +1274 kiln 0xb26f9666... BloXroute Max Profit
14028069 5 3064 1791 +1273 gateway.fmas_lido 0x856b0004... Agnostic Gnosis
14023747 0 2988 1715 +1273 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14027458 1 3003 1730 +1273 everstake 0xb26f9666... Titan Relay
14027964 8 3108 1836 +1272 figment 0xb67eaa5e... BloXroute Max Profit
14024104 0 2987 1715 +1272 everstake 0x8db2a99d... Aestus
14022754 0 2985 1715 +1270 whale_0xc541 0x851b00b1... Aestus
14024625 9 3121 1851 +1270 whale_0x8ebd 0xb26f9666... Titan Relay
14027655 0 2984 1715 +1269 kiln 0xb26f9666... Aestus
14024084 8 3104 1836 +1268 stakingfacilities_lido 0x855b00e6... Flashbots
14022334 0 2983 1715 +1268 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14024563 0 2981 1715 +1266 coinbase 0x853b0078... Aestus
14028386 2 3011 1745 +1266 kiln 0x856b0004... Aestus
14027152 5 3056 1791 +1265 kiln 0x823e0146... Aestus
14028756 0 2980 1715 +1265 coinbase 0xb26f9666... BloXroute Regulated
14026389 0 2979 1715 +1264 coinbase 0xb67eaa5e... BloXroute Regulated
14026073 1 2994 1730 +1264 everstake 0xb67eaa5e... BloXroute Max Profit
14027209 11 3145 1882 +1263 p2porg 0xac23f8cc... Ultra Sound
14028803 5 3054 1791 +1263 whale_0x8ebd 0x8527d16c... Ultra Sound
14028000 6 3069 1806 +1263 coinbase 0xb26f9666... Titan Relay
14022512 4 3038 1776 +1262 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14025069 0 2977 1715 +1262 whale_0x8ebd 0xba003e46... BloXroute Max Profit
14029049 5 3052 1791 +1261 whale_0x8ebd 0xb26f9666... Titan Relay
14028304 9 3111 1851 +1260 0xb26f9666... BloXroute Regulated
14025957 7 3080 1821 +1259 kiln 0xb7c5e609... BloXroute Max Profit
14023282 0 2972 1715 +1257 kiln 0x8527d16c... Ultra Sound
14025819 4 3032 1776 +1256 coinbase 0x856b0004... Agnostic Gnosis
14022858 0 2971 1715 +1256 coinbase 0xb26f9666... BloXroute Max Profit
14027042 0 2970 1715 +1255 kiln 0x853b0078... Agnostic Gnosis
14022913 0 2969 1715 +1254 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
14029169 5 3043 1791 +1252 coinbase 0xb5a65d00... Aestus
14023374 2 2997 1745 +1252 everstake 0xb26f9666... Titan Relay
14027874 5 3042 1791 +1251 kiln 0x856b0004... Agnostic Gnosis
14024499 1 2981 1730 +1251 gateway.fmas_lido 0x8db2a99d... Flashbots
14026967 6 3056 1806 +1250 kiln 0xb26f9666... Titan Relay
14027289 2 2994 1745 +1249 kiln 0xb26f9666... BloXroute Regulated
14023138 3 3009 1761 +1248 coinbase 0x853b0078... Aestus
14025113 1 2978 1730 +1248 coinbase 0x8527d16c... Ultra Sound
14026979 5 3038 1791 +1247 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14024839 6 3053 1806 +1247 gateway.fmas_lido 0xb7c5e609... BloXroute Max Profit
14026167 0 2961 1715 +1246 everstake 0x851b00b1... BloXroute Max Profit
14027694 3 3006 1761 +1245 coinbase 0x8527d16c... Ultra Sound
14027280 7 3066 1821 +1245 kiln 0x8db2a99d... Agnostic Gnosis
14028589 0 2960 1715 +1245 everstake 0xb5a65d00... Aestus
14024317 0 2958 1715 +1243 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14024189 12 3139 1897 +1242 kraken 0x82c466b9... EthGas
Total anomalies: 388

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