Wed, Apr 1, 2026

Propagation anomalies - 2026-04-01

Detection of blocks that propagated slower than expected, attempting to find correlations with blob count.

Show code
display_sql("block_production_timeline", target_date)
View query
WITH
-- Base slots using proposer duty as the source of truth
slots AS (
    SELECT DISTINCT
        slot,
        slot_start_date_time,
        proposer_validator_index
    FROM canonical_beacon_proposer_duty
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
),

-- Proposer entity mapping
proposer_entity AS (
    SELECT
        index,
        entity
    FROM ethseer_validator_entity
    WHERE meta_network_name = 'mainnet'
),

-- Blob count per slot
blob_count AS (
    SELECT
        slot,
        uniq(blob_index) AS blob_count
    FROM canonical_beacon_blob_sidecar
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Canonical block hash (to verify MEV payload was actually used)
canonical_block AS (
    SELECT DISTINCT
        slot,
        execution_payload_block_hash
    FROM canonical_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
),

-- MEV bid timing using timestamp_ms
mev_bids AS (
    SELECT
        slot,
        slot_start_date_time,
        min(timestamp_ms) AS first_bid_timestamp_ms,
        max(timestamp_ms) AS last_bid_timestamp_ms
    FROM mev_relay_bid_trace
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
    GROUP BY slot, slot_start_date_time
),

-- MEV payload delivery - join canonical block with delivered payloads
-- Note: Use is_mev flag because ClickHouse LEFT JOIN returns 0 (not NULL) for non-matching rows
-- Get value from proposer_payload_delivered (not bid_trace, which may not have the winning block)
mev_payload AS (
    SELECT
        cb.slot,
        cb.execution_payload_block_hash AS winning_block_hash,
        1 AS is_mev,
        max(pd.value) AS winning_bid_value,
        groupArray(DISTINCT pd.relay_name) AS relay_names,
        any(pd.builder_pubkey) AS winning_builder
    FROM canonical_block cb
    GLOBAL INNER JOIN mev_relay_proposer_payload_delivered pd
        ON cb.slot = pd.slot AND cb.execution_payload_block_hash = pd.block_hash
    WHERE pd.meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
    GROUP BY cb.slot, cb.execution_payload_block_hash
),

-- Winning bid timing from bid_trace (may not exist for all MEV blocks)
winning_bid AS (
    SELECT
        bt.slot,
        bt.slot_start_date_time,
        argMin(bt.timestamp_ms, bt.event_date_time) AS winning_bid_timestamp_ms
    FROM mev_relay_bid_trace bt
    GLOBAL INNER JOIN mev_payload mp ON bt.slot = mp.slot AND bt.block_hash = mp.winning_block_hash
    WHERE bt.meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
    GROUP BY bt.slot, bt.slot_start_date_time
),

-- Block gossip timing with spread
block_gossip AS (
    SELECT
        slot,
        min(event_date_time) AS block_first_seen,
        max(event_date_time) AS block_last_seen
    FROM libp2p_gossipsub_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Column arrival timing: first arrival per column, then min/max of those
column_gossip AS (
    SELECT
        slot,
        min(first_seen) AS first_column_first_seen,
        max(first_seen) AS last_column_first_seen
    FROM (
        SELECT
            slot,
            column_index,
            min(event_date_time) AS first_seen
        FROM libp2p_gossipsub_data_column_sidecar
        WHERE meta_network_name = 'mainnet'
          AND slot_start_date_time >= '2026-04-01' AND slot_start_date_time < '2026-04-01'::date + INTERVAL 1 DAY
          AND event_date_time > '1970-01-01 00:00:01'
        GROUP BY slot, column_index
    )
    GROUP BY slot
)

SELECT
    s.slot AS slot,
    s.slot_start_date_time AS slot_start_date_time,
    pe.entity AS proposer_entity,

    -- Blob count
    coalesce(bc.blob_count, 0) AS blob_count,

    -- MEV bid timing (absolute and relative to slot start)
    fromUnixTimestamp64Milli(mb.first_bid_timestamp_ms) AS first_bid_at,
    mb.first_bid_timestamp_ms - toInt64(toUnixTimestamp(mb.slot_start_date_time)) * 1000 AS first_bid_ms,
    fromUnixTimestamp64Milli(mb.last_bid_timestamp_ms) AS last_bid_at,
    mb.last_bid_timestamp_ms - toInt64(toUnixTimestamp(mb.slot_start_date_time)) * 1000 AS last_bid_ms,

    -- Winning bid timing (from bid_trace, may be NULL if block hash not in bid_trace)
    if(wb.slot != 0, fromUnixTimestamp64Milli(wb.winning_bid_timestamp_ms), NULL) AS winning_bid_at,
    if(wb.slot != 0, wb.winning_bid_timestamp_ms - toInt64(toUnixTimestamp(s.slot_start_date_time)) * 1000, NULL) AS winning_bid_ms,

    -- MEV payload info (from proposer_payload_delivered, always present for MEV blocks)
    if(mp.is_mev = 1, mp.winning_bid_value, NULL) AS winning_bid_value,
    if(mp.is_mev = 1, mp.relay_names, []) AS winning_relays,
    if(mp.is_mev = 1, mp.winning_builder, NULL) AS winning_builder,

    -- Block gossip timing with spread
    bg.block_first_seen,
    dateDiff('millisecond', s.slot_start_date_time, bg.block_first_seen) AS block_first_seen_ms,
    bg.block_last_seen,
    dateDiff('millisecond', s.slot_start_date_time, bg.block_last_seen) AS block_last_seen_ms,
    dateDiff('millisecond', bg.block_first_seen, bg.block_last_seen) AS block_spread_ms,

    -- Column arrival timing (NULL when no blobs)
    if(coalesce(bc.blob_count, 0) = 0, NULL, cg.first_column_first_seen) AS first_column_first_seen,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', s.slot_start_date_time, cg.first_column_first_seen)) AS first_column_first_seen_ms,
    if(coalesce(bc.blob_count, 0) = 0, NULL, cg.last_column_first_seen) AS last_column_first_seen,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', s.slot_start_date_time, cg.last_column_first_seen)) AS last_column_first_seen_ms,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', cg.first_column_first_seen, cg.last_column_first_seen)) AS column_spread_ms

FROM slots s
GLOBAL LEFT JOIN proposer_entity pe ON s.proposer_validator_index = pe.index
GLOBAL LEFT JOIN blob_count bc ON s.slot = bc.slot
GLOBAL LEFT JOIN mev_bids mb ON s.slot = mb.slot
GLOBAL LEFT JOIN mev_payload mp ON s.slot = mp.slot
GLOBAL LEFT JOIN winning_bid wb ON s.slot = wb.slot
GLOBAL LEFT JOIN block_gossip bg ON s.slot = bg.slot
GLOBAL LEFT JOIN column_gossip cg ON s.slot = cg.slot

ORDER BY s.slot DESC
Show code
df = load_parquet("block_production_timeline", target_date)

# Filter to valid blocks (exclude missed slots)
df = df[df["block_first_seen_ms"].notna()]
df = df[(df["block_first_seen_ms"] >= 0) & (df["block_first_seen_ms"] < 60000)]

# Flag MEV vs local blocks
df["has_mev"] = df["winning_bid_value"].notna()
df["block_type"] = df["has_mev"].map({True: "MEV", False: "Local"})

# Get max blob count for charts
max_blobs = df["blob_count"].max()

print(f"Total valid blocks: {len(df):,}")
print(f"MEV blocks: {df['has_mev'].sum():,} ({df['has_mev'].mean()*100:.1f}%)")
print(f"Local blocks: {(~df['has_mev']).sum():,} ({(~df['has_mev']).mean()*100:.1f}%)")
Total valid blocks: 7,171
MEV blocks: 6,649 (92.7%)
Local blocks: 522 (7.3%)

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.6 + 13.89 × blob_count (R² = 0.007)
Residual σ = 605.0ms
Anomalies (>2σ slow): 396 (5.5%)
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
14020672 0 6520 1747 +4773 upbit Local Local
14021984 2 6542 1774 +4768 upbit Local Local
14018940 0 5704 1747 +3957 whale_0x8ebd Local Local
14015328 8 5730 1858 +3872 upbit Local Local
14016512 0 5424 1747 +3677 upbit Local Local
14018666 0 4511 1747 +2764 liquid_collective Local Local
14017216 0 4458 1747 +2711 upbit Local Local
14021872 0 4201 1747 +2454 ether.fi Local Local
14021590 5 4089 1816 +2273 solo_stakers Local Local
14016480 5 4059 1816 +2243 kraken Local Local
14021619 0 3848 1747 +2101 kraken 0x82c466b9... EthGas
14017024 0 3819 1747 +2072 stakefish 0x856b0004... Ultra Sound
14021633 0 3734 1747 +1987 blockdaemon 0x8527d16c... Ultra Sound
14019835 0 3723 1747 +1976 blockdaemon 0x88857150... Ultra Sound
14015163 6 3759 1830 +1929 ether.fi 0x855b00e6... BloXroute Max Profit
14015086 5 3740 1816 +1924 whale_0x8ebd 0x8a850621... Titan Relay
14021903 10 3784 1885 +1899 blockdaemon 0x8527d16c... Ultra Sound
14018400 9 3744 1872 +1872 nethermind_lido 0x8db2a99d... Ultra Sound
14021697 0 3614 1747 +1867 kraken 0x82c466b9... EthGas
14021935 7 3708 1844 +1864 solo_stakers Local Local
14021017 2 3634 1774 +1860 nethermind_lido 0x8db2a99d... Flashbots
14021132 2 3598 1774 +1824 blockdaemon_lido 0x823e0146... Ultra Sound
14021039 4 3585 1802 +1783 nethermind_lido 0xb26f9666... Aestus
14018624 0 3525 1747 +1778 blockdaemon_lido 0x851b00b1... Ultra Sound
14019547 0 3521 1747 +1774 p2porg 0x8527d16c... Ultra Sound
14015888 1 3528 1760 +1768 nethermind_lido 0x8db2a99d... Flashbots
14020791 1 3487 1760 +1727 kraken 0x82c466b9... EthGas
14017583 5 3534 1816 +1718 blockdaemon 0x88857150... Ultra Sound
14019085 7 3555 1844 +1711 solo_stakers 0x823e0146... Aestus
14021932 1 3469 1760 +1709 whale_0x8ebd 0xb4ce6162... Ultra Sound
14019543 8 3566 1858 +1708 p2porg 0x88857150... Ultra Sound
14020588 6 3519 1830 +1689 whale_0x8ebd 0xb4ce6162... Ultra Sound
14021207 5 3505 1816 +1689 blockdaemon_lido 0x88857150... Ultra Sound
14020632 11 3588 1899 +1689 blockdaemon_lido 0x8527d16c... Ultra Sound
14015546 5 3495 1816 +1679 blockdaemon_lido 0x8527d16c... Ultra Sound
14017072 0 3421 1747 +1674 nethermind_lido 0x823e0146... Flashbots
14020779 5 3485 1816 +1669 blockdaemon_lido 0xb67eaa5e... Titan Relay
14021488 2 3438 1774 +1664 nethermind_lido 0x85fb0503... BloXroute Regulated
14017981 5 3477 1816 +1661 stader 0x8db2a99d... Flashbots
14018776 0 3398 1747 +1651 nethermind_lido 0x83d6a6ab... BloXroute Max Profit
14016216 4 3451 1802 +1649 nethermind_lido 0x88857150... Ultra Sound
14018084 5 3461 1816 +1645 liquid_collective 0xb67eaa5e... BloXroute Regulated
14021021 8 3502 1858 +1644 nethermind_lido 0x823e0146... Flashbots
14020040 1 3404 1760 +1644 nethermind_lido 0x8db2a99d... Aestus
14016414 6 3462 1830 +1632 nethermind_lido 0x8db2a99d... Flashbots
14019338 5 3445 1816 +1629 liquid_collective 0x8db2a99d... Ultra Sound
14020494 5 3436 1816 +1620 blockdaemon_lido 0x856b0004... BloXroute Max Profit
14020745 1 3372 1760 +1612 ether.fi 0x823e0146... BloXroute Max Profit
14021574 0 3355 1747 +1608 0xb26f9666... Titan Relay
14018610 6 3435 1830 +1605 ether.fi 0xb26f9666... Titan Relay
14016046 0 3351 1747 +1604 blockdaemon 0x8527d16c... Ultra Sound
14020704 2 3376 1774 +1602 whale_0x8ebd 0x8db2a99d... Ultra Sound
14020829 14 3540 1941 +1599 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
14015377 1 3358 1760 +1598 blockdaemon 0xb26f9666... Titan Relay
14016911 5 3408 1816 +1592 blockdaemon 0x8527d16c... Ultra Sound
14019498 0 3336 1747 +1589 whale_0xdc8d 0xb26f9666... Titan Relay
14018660 2 3360 1774 +1586 whale_0xdc8d 0x850b00e0... BloXroute Max Profit
14018465 1 3346 1760 +1586 revolut 0x88a53ec4... BloXroute Regulated
14019961 5 3398 1816 +1582 whale_0x8ebd 0x88857150... Ultra Sound
14015151 1 3341 1760 +1581 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
14019695 1 3341 1760 +1581 revolut 0xb67eaa5e... BloXroute Regulated
14021670 9 3451 1872 +1579 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
14020615 3 3366 1788 +1578 blockdaemon 0x8527d16c... Ultra Sound
14017685 1 3336 1760 +1576 liquid_collective 0x853b0078... BloXroute Regulated
14021947 1 3334 1760 +1574 p2porg 0x82c466b9... Flashbots
14015631 5 3380 1816 +1564 liquid_collective 0x88a53ec4... BloXroute Max Profit
14021965 2 3338 1774 +1564 blockdaemon 0xb67eaa5e... BloXroute Max Profit
14016963 0 3304 1747 +1557 whale_0xdc8d 0x850b00e0... BloXroute Regulated
14020403 1 3317 1760 +1557 blockdaemon 0xb67eaa5e... BloXroute Regulated
14019269 1 3317 1760 +1557 blockdaemon_lido 0xb67eaa5e... Titan Relay
14017664 9 3428 1872 +1556 revolut 0xb26f9666... Titan Relay
14015582 5 3367 1816 +1551 luno 0x850b00e0... BloXroute Regulated
14016049 0 3297 1747 +1550 blockdaemon 0xb26f9666... Titan Relay
14015297 0 3294 1747 +1547 blockdaemon Local Local
14015706 14 3483 1941 +1542 blockdaemon 0x850b00e0... BloXroute Regulated
14017656 2 3313 1774 +1539 coinbase 0x8527d16c... Ultra Sound
14017242 0 3285 1747 +1538 blockdaemon 0xb211df49... Ultra Sound
14016248 6 3368 1830 +1538 liquid_collective 0x853b0078... Ultra Sound
14015308 1 3298 1760 +1538 blockdaemon_lido 0xb26f9666... Titan Relay
14015717 5 3348 1816 +1532 luno 0x8527d16c... Ultra Sound
14019880 0 3276 1747 +1529 blockdaemon Local Local
14020612 6 3359 1830 +1529 blockdaemon 0x853b0078... Ultra Sound
14017892 2 3302 1774 +1528 blockdaemon_lido 0x8527d16c... Ultra Sound
14020793 5 3337 1816 +1521 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
14018087 5 3337 1816 +1521 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
14019658 2 3295 1774 +1521 blockdaemon 0x88a53ec4... BloXroute Max Profit
14018625 0 3265 1747 +1518 p2porg 0x8527d16c... Ultra Sound
14019263 0 3265 1747 +1518 liquid_collective 0x8db2a99d... Ultra Sound
14017855 0 3263 1747 +1516 blockdaemon_lido 0x91b123d8... Ultra Sound
14016153 9 3388 1872 +1516 nethermind_lido 0x856b0004... Agnostic Gnosis
14017029 2 3290 1774 +1516 luno 0x850b00e0... BloXroute Regulated
14015173 6 3344 1830 +1514 ether.fi 0x853b0078... Agnostic Gnosis
14016611 12 3427 1913 +1514 p2porg 0x850b00e0... BloXroute Regulated
14020457 6 3342 1830 +1512 whale_0xdc8d 0x8527d16c... Ultra Sound
14020240 0 3257 1747 +1510 blockdaemon_lido 0x80ad903b... BloXroute Regulated
14021242 5 3326 1816 +1510 blockdaemon 0x855b00e6... BloXroute Max Profit
14021364 0 3256 1747 +1509 kraken 0x86f3ad35... EthGas
14016060 0 3255 1747 +1508 whale_0xdc8d 0x8527d16c... Ultra Sound
14018712 0 3250 1747 +1503 blockdaemon 0xb67eaa5e... BloXroute Max Profit
14015710 9 3374 1872 +1502 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14014872 3 3290 1788 +1502 solo_stakers 0x850b00e0... Ultra Sound
14014845 1 3261 1760 +1501 whale_0x8ebd 0x823e0146... Ultra Sound
14017970 1 3260 1760 +1500 p2porg 0x88a53ec4... BloXroute Max Profit
14015135 1 3259 1760 +1499 p2porg 0x850b00e0... Flashbots
14021900 0 3245 1747 +1498 whale_0xdc8d 0xb26f9666... Titan Relay
14019887 5 3313 1816 +1497 solo_stakers 0xac23f8cc... Aestus
14019860 0 3243 1747 +1496 liquid_collective 0x853b0078... Ultra Sound
14021677 1 3256 1760 +1496 blockdaemon_lido 0xb67eaa5e... Titan Relay
14019354 0 3230 1747 +1483 p2porg 0x8527d16c... Ultra Sound
14017895 11 3377 1899 +1478 bitstamp 0xb67eaa5e... BloXroute Max Profit
14018291 0 3220 1747 +1473 blockdaemon 0x8527d16c... Ultra Sound
14016955 15 3427 1955 +1472 blockdaemon 0x8a850621... Titan Relay
14020009 5 3286 1816 +1470 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
14015464 1 3230 1760 +1470 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
14019161 6 3299 1830 +1469 solo_stakers 0x88a53ec4... Aestus
14021430 5 3282 1816 +1466 whale_0x8ebd 0x88857150... Ultra Sound
14015472 0 3212 1747 +1465 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
14016818 11 3364 1899 +1465 blockdaemon 0x855b00e6... Ultra Sound
14015668 6 3290 1830 +1460 gateway.fmas_lido 0xac23f8cc... Aestus
14016771 10 3333 1885 +1448 blockdaemon_lido 0x8527d16c... Ultra Sound
14019082 0 3194 1747 +1447 blockdaemon 0x88857150... Ultra Sound
14019297 2 3220 1774 +1446 p2porg 0x8527d16c... Ultra Sound
14015060 0 3192 1747 +1445 gateway.fmas_lido 0x88857150... Ultra Sound
14018612 0 3191 1747 +1444 kraken 0x82c466b9... EthGas
14017332 6 3274 1830 +1444 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
14016399 4 3245 1802 +1443 coinbase 0x856b0004... Agnostic Gnosis
14020475 0 3181 1747 +1434 figment 0x88857150... Ultra Sound
14020013 6 3264 1830 +1434 coinbase 0xb67eaa5e... BloXroute Max Profit
14016689 6 3263 1830 +1433 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
14019127 6 3258 1830 +1428 solo_stakers 0x8db2a99d... Aestus
14019088 5 3242 1816 +1426 blockdaemon_lido 0xb67eaa5e... Titan Relay
14019826 7 3268 1844 +1424 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
14019425 0 3170 1747 +1423 bitstamp 0xb26f9666... Titan Relay
14017521 0 3168 1747 +1421 kiln 0xa0366397... Flashbots
14021274 5 3237 1816 +1421 gateway.fmas_lido 0x8527d16c... Ultra Sound
14019557 8 3278 1858 +1420 coinbase 0xb67eaa5e... BloXroute Regulated
14021776 0 3166 1747 +1419 p2porg 0xb67eaa5e... Aestus
14020971 10 3304 1885 +1419 gateway.fmas_lido 0x856b0004... Agnostic Gnosis
14018319 2 3191 1774 +1417 blockdaemon 0x855b00e6... BloXroute Max Profit
14019212 11 3313 1899 +1414 coinbase 0xb67eaa5e... BloXroute Max Profit
14017395 2 3187 1774 +1413 p2porg 0xb67eaa5e... BloXroute Max Profit
14018904 2 3186 1774 +1412 blockdaemon 0xb26f9666... Titan Relay
14017751 15 3366 1955 +1411 blockdaemon 0xb7c5c39a... BloXroute Max Profit
14019698 3 3199 1788 +1411 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
14019311 6 3236 1830 +1406 coinbase 0x823e0146... Aestus
14021162 0 3152 1747 +1405 whale_0x8ebd 0x856b0004... Agnostic Gnosis
14015342 3 3193 1788 +1405 coinbase 0x88a53ec4... BloXroute Max Profit
14021215 10 3289 1885 +1404 0x8db2a99d... Flashbots
14015184 11 3302 1899 +1403 whale_0xedc6 0x8db2a99d... Ultra Sound
14016665 1 3163 1760 +1403 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
14015758 1 3163 1760 +1403 0xb7c5e609... BloXroute Max Profit
14019857 0 3146 1747 +1399 whale_0x8ebd 0x8527d16c... Ultra Sound
14020606 0 3144 1747 +1397 gateway.fmas_lido 0x88857150... Ultra Sound
14020926 5 3213 1816 +1397 bitstamp 0x823e0146... Ultra Sound
14018567 0 3141 1747 +1394 blockdaemon 0xb26f9666... Titan Relay
14014951 1 3154 1760 +1394 p2porg 0xb26f9666... Titan Relay
14015544 1 3151 1760 +1391 blockdaemon 0xac23f8cc... Ultra Sound
14021581 8 3246 1858 +1388 coinbase 0x8db2a99d... Flashbots
14019438 6 3217 1830 +1387 kiln 0x853b0078... Aestus
14018952 5 3203 1816 +1387 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14016033 12 3299 1913 +1386 kiln 0x88a53ec4... BloXroute Regulated
14017054 0 3132 1747 +1385 gateway.fmas_lido 0x851b00b1... BloXroute Max Profit
14018073 7 3228 1844 +1384 kiln 0x8db2a99d... Flashbots
14015439 13 3311 1927 +1384 kiln 0xb67eaa5e... BloXroute Max Profit
14014944 1 3141 1760 +1381 bitstamp 0x8527d16c... Ultra Sound
14016439 5 3195 1816 +1379 blockdaemon 0x853b0078... BloXroute Max Profit
14019188 0 3125 1747 +1378 p2porg 0xb26f9666... Titan Relay
14019544 7 3221 1844 +1377 whale_0x8ebd 0x8527d16c... Ultra Sound
14021295 6 3207 1830 +1377 coinbase 0xac23f8cc... Flashbots
14018936 1 3135 1760 +1375 p2porg 0x88a53ec4... BloXroute Regulated
14016387 0 3119 1747 +1372 p2porg 0xb26f9666... BloXroute Regulated
14016784 5 3188 1816 +1372 p2porg 0x850b00e0... BloXroute Regulated
14015113 5 3185 1816 +1369 p2porg 0x853b0078... Aestus
14021116 8 3226 1858 +1368 p2porg 0x823e0146... Ultra Sound
14020849 0 3114 1747 +1367 p2porg 0x850b00e0... BloXroute Regulated
14017722 6 3197 1830 +1367 blockdaemon 0xb67eaa5e... BloXroute Regulated
14019756 0 3113 1747 +1366 p2porg 0x850b00e0... BloXroute Max Profit
14021331 2 3140 1774 +1366 everstake 0xb5a65d00... Aestus
14021673 0 3111 1747 +1364 everstake 0x8db2a99d... Aestus
14015199 2 3138 1774 +1364 kiln 0x8db2a99d... Flashbots
14015083 6 3193 1830 +1363 kiln 0xb67eaa5e... BloXroute Regulated
14018325 6 3192 1830 +1362 coinbase 0x88a53ec4... BloXroute Max Profit
14020716 5 3178 1816 +1362 p2porg 0xb26f9666... Titan Relay
14018487 1 3122 1760 +1362 p2porg 0x8527d16c... Ultra Sound
14019348 6 3191 1830 +1361 whale_0x8ebd 0x823e0146... Ultra Sound
14017092 6 3190 1830 +1360 p2porg 0xb67eaa5e... BloXroute Regulated
14015671 3 3148 1788 +1360 coinbase 0xb26f9666... Titan Relay
14021477 6 3189 1830 +1359 coinbase 0xb67eaa5e... BloXroute Regulated
14017205 6 3189 1830 +1359 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
14015341 5 3172 1816 +1356 kiln 0xb67eaa5e... BloXroute Regulated
14018628 21 3394 2038 +1356 figment 0xb7c5c39a... BloXroute Max Profit
14015673 3 3142 1788 +1354 blockdaemon 0x88857150... Ultra Sound
14021604 0 3100 1747 +1353 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
14020532 0 3100 1747 +1353 whale_0x23be 0x855b00e6... BloXroute Max Profit
14019615 9 3225 1872 +1353 coinbase 0xb26f9666... Aestus
14015498 0 3099 1747 +1352 p2porg 0xb67eaa5e... BloXroute Max Profit
14021652 0 3099 1747 +1352 kiln 0x88857150... Ultra Sound
14018634 9 3224 1872 +1352 p2porg 0x82c466b9... Ultra Sound
14018484 2 3126 1774 +1352 p2porg 0x88a53ec4... BloXroute Max Profit
14016400 0 3098 1747 +1351 p2porg 0x823e0146... BloXroute Max Profit
14018544 6 3181 1830 +1351 whale_0x8ebd 0xac23f8cc... Ultra Sound
14018689 5 3167 1816 +1351 kraken 0x8527d16c... EthGas
14021962 0 3097 1747 +1350 0xb26f9666... Titan Relay
14018770 5 3166 1816 +1350 p2porg 0x855b00e6... Flashbots
14020703 1 3109 1760 +1349 coinbase 0xb26f9666... Titan Relay
14016168 0 3094 1747 +1347 whale_0x8ebd 0xb26f9666... Titan Relay
14020315 1 3107 1760 +1347 p2porg 0x856b0004... Agnostic Gnosis
14018499 1 3106 1760 +1346 blockdaemon_lido 0xb26f9666... Titan Relay
14020387 5 3161 1816 +1345 p2porg 0xb26f9666... BloXroute Regulated
14016614 7 3187 1844 +1343 solo_stakers 0x856b0004... Ultra Sound
14018961 4 3144 1802 +1342 p2porg 0x850b00e0... BloXroute Regulated
14018099 12 3252 1913 +1339 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
14016522 0 3083 1747 +1336 whale_0x8ebd 0xb26f9666... Titan Relay
14019570 0 3083 1747 +1336 0x856b0004... Agnostic Gnosis
14021788 9 3208 1872 +1336 coinbase 0x88a53ec4... BloXroute Max Profit
14019602 3 3123 1788 +1335 0x856b0004... Ultra Sound
14019179 2 3109 1774 +1335 figment 0x8527d16c... Ultra Sound
14015741 3 3121 1788 +1333 whale_0x8ebd 0x88857150... Ultra Sound
14020540 5 3148 1816 +1332 p2porg 0x8db2a99d... Ultra Sound
14015926 4 3133 1802 +1331 kiln 0xb5a65d00... Aestus
14014984 3 3119 1788 +1331 coinbase 0xb26f9666... Titan Relay
14018828 6 3158 1830 +1328 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14021289 6 3156 1830 +1326 coinbase 0x8527d16c... Ultra Sound
14016234 1 3086 1760 +1326 0xb26f9666... BloXroute Regulated
14016554 0 3070 1747 +1323 coinbase 0x823e0146... Flashbots
14017922 7 3167 1844 +1323 whale_0x8ebd 0xb26f9666... Titan Relay
14015752 0 3069 1747 +1322 0xb67eaa5e... Aestus
14016391 13 3248 1927 +1321 coinbase 0x88a53ec4... BloXroute Max Profit
14021129 5 3136 1816 +1320 p2porg 0x8db2a99d... Ultra Sound
14015029 0 3066 1747 +1319 coinbase 0xb67eaa5e... BloXroute Regulated
14021390 6 3149 1830 +1319 coinbase 0x8527d16c... Ultra Sound
14020384 5 3133 1816 +1317 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
14021532 1 3077 1760 +1317 coinbase 0x857b0038... Ultra Sound
14015305 8 3174 1858 +1316 whale_0x8ebd 0x88857150... Ultra Sound
14021269 7 3160 1844 +1316 coinbase 0x823e0146... Ultra Sound
14017011 1 3076 1760 +1316 p2porg 0xb26f9666... BloXroute Regulated
14021587 6 3145 1830 +1315 coinbase 0xb26f9666... Titan Relay
14017803 1 3075 1760 +1315 p2porg 0x88857150... Ultra Sound
14021379 10 3200 1885 +1315 p2porg 0xb26f9666... Aestus
14017994 0 3061 1747 +1314 p2porg 0x823e0146... BloXroute Max Profit
14015474 1 3072 1760 +1312 coinbase 0x88a53ec4... BloXroute Regulated
14017283 0 3057 1747 +1310 p2porg 0x8db2a99d... Flashbots
14018846 0 3057 1747 +1310 whale_0x8ebd 0x88857150... Ultra Sound
14015320 11 3209 1899 +1310 solo_stakers 0xac23f8cc... Ultra Sound
14021078 7 3153 1844 +1309 p2porg 0x850b00e0... BloXroute Regulated
14017180 1 3069 1760 +1309 0x8db2a99d... Flashbots
14021250 10 3194 1885 +1309 coinbase 0x8527d16c... Ultra Sound
14017413 3 3095 1788 +1307 coinbase 0xb26f9666... Titan Relay
14017431 2 3081 1774 +1307 whale_0x8ebd 0x823e0146... BloXroute Max Profit
14017485 7 3148 1844 +1304 blockdaemon 0xb26f9666... Titan Relay
14017627 7 3148 1844 +1304 kiln 0xb67eaa5e... BloXroute Regulated
14017640 5 3120 1816 +1304 whale_0xedc6 0x823e0146... Ultra Sound
14020920 2 3078 1774 +1304 whale_0x8ebd 0xb4ce6162... Ultra Sound
14020031 1 3064 1760 +1304 coinbase 0x8527d16c... Ultra Sound
14018635 8 3161 1858 +1303 whale_0x8ebd 0x8db2a99d... Ultra Sound
14021846 3 3091 1788 +1303 coinbase 0x823e0146... Ultra Sound
14018681 2 3076 1774 +1302 0x82c466b9... EthGas
14018738 10 3187 1885 +1302 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14017178 6 3130 1830 +1300 whale_0x8ebd 0x88857150... Ultra Sound
14017460 3 3087 1788 +1299 whale_0x8ebd 0xb26f9666... Titan Relay
14017042 2 3073 1774 +1299 whale_0xedc6 0x856b0004... Aestus
14015755 0 3045 1747 +1298 coinbase 0x88857150... Ultra Sound
14021134 1 3058 1760 +1298 coinbase 0x8527d16c... Ultra Sound
14020586 3 3085 1788 +1297 everstake 0xb67eaa5e... BloXroute Regulated
14018231 3 3085 1788 +1297 coinbase 0x8db2a99d... Flashbots
14016404 0 3042 1747 +1295 gateway.fmas_lido 0xb26f9666... Aestus
14014988 0 3041 1747 +1294 0xb5a65d00... Aestus
14017678 0 3038 1747 +1291 whale_0x8ebd 0x8527d16c... Ultra Sound
14019867 7 3135 1844 +1291 coinbase 0x8527d16c... Ultra Sound
14021033 0 3037 1747 +1290 coinbase 0x8527d16c... Ultra Sound
14015186 0 3037 1747 +1290 solo_stakers 0xb67eaa5e... BloXroute Regulated
14016053 0 3037 1747 +1290 kiln 0xb26f9666... BloXroute Max Profit
14019156 4 3091 1802 +1289 kiln 0x855b00e6... Flashbots
14021264 6 3118 1830 +1288 whale_0x8ebd 0x857b0038... Ultra Sound
14016807 5 3104 1816 +1288 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14019332 1 3048 1760 +1288 p2porg 0xb26f9666... BloXroute Max Profit
14018835 12 3199 1913 +1286 whale_0x8ebd 0xb26f9666... Titan Relay
14020021 1 3046 1760 +1286 coinbase 0x856b0004... Agnostic Gnosis
14015337 1 3045 1760 +1285 coinbase 0xb26f9666... Titan Relay
14017199 5 3099 1816 +1283 whale_0xedc6 0xb67eaa5e... Ultra Sound
14021185 6 3112 1830 +1282 whale_0x8ebd 0x8527d16c... Ultra Sound
14020589 1 3042 1760 +1282 coinbase 0x823e0146... Ultra Sound
14015461 0 3028 1747 +1281 solo_stakers 0xb67eaa5e... Aestus
14019868 0 3028 1747 +1281 p2porg 0x8527d16c... Ultra Sound
14016511 0 3028 1747 +1281 whale_0x8ebd 0x88857150... Ultra Sound
14017445 1 3041 1760 +1281 coinbase 0xb67eaa5e... BloXroute Max Profit
14018498 16 3249 1969 +1280 bitstamp 0xb67eaa5e... BloXroute Max Profit
14020577 5 3095 1816 +1279 0x823e0146... Flashbots
14017490 2 3051 1774 +1277 whale_0xedc6 0x8527d16c... Ultra Sound
14018566 7 3120 1844 +1276 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14020466 1 3036 1760 +1276 kiln 0xb26f9666... Titan Relay
14015890 6 3105 1830 +1275 kiln 0xac23f8cc... Flashbots
14015679 0 3021 1747 +1274 kiln 0xb67eaa5e... BloXroute Regulated
14019815 0 3021 1747 +1274 kiln 0xb67eaa5e... BloXroute Max Profit
14015317 0 3021 1747 +1274 coinbase 0x823e0146... Aestus
14017784 4 3076 1802 +1274 coinbase 0x8527d16c... Ultra Sound
14015102 6 3103 1830 +1273 blockdaemon_lido 0xb26f9666... Titan Relay
14017897 0 3019 1747 +1272 everstake 0xb26f9666... Titan Relay
14018278 0 3019 1747 +1272 coinbase 0x856b0004... Agnostic Gnosis
14019470 1 3032 1760 +1272 kiln 0xb73d7672... Agnostic Gnosis
14016878 6 3101 1830 +1271 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14020570 9 3142 1872 +1270 0x856b0004... Aestus
14020210 1 3030 1760 +1270 solo_stakers 0xb67eaa5e... BloXroute Regulated
14020180 1 3029 1760 +1269 coinbase 0x85fb0503... Aestus
14020974 0 3015 1747 +1268 coinbase 0x85fb0503... Agnostic Gnosis
14020633 1 3028 1760 +1268 0x856b0004... Aestus
14020538 0 3013 1747 +1266 blockdaemon 0x8527d16c... Ultra Sound
14020524 9 3137 1872 +1265 0xb26f9666... Ultra Sound
14016884 1 3025 1760 +1265 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
14018283 1 3025 1760 +1265 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
14018197 6 3094 1830 +1264 kiln 0x8db2a99d... Ultra Sound
14017478 1 3024 1760 +1264 0x8527d16c... Ultra Sound
14016498 1 3024 1760 +1264 coinbase 0xb26f9666... Titan Relay
14017273 4 3064 1802 +1262 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
14016644 0 3008 1747 +1261 coinbase 0xb26f9666... Titan Relay
14019235 5 3077 1816 +1261 p2porg 0x823e0146... Flashbots
14018130 11 3160 1899 +1261 gateway.fmas_lido 0x8db2a99d... Ultra Sound
14021800 0 3007 1747 +1260 coinbase 0x8527d16c... Ultra Sound
14021408 1 3018 1760 +1258 blockdaemon 0xb67eaa5e... BloXroute Regulated
14016004 0 3004 1747 +1257 coinbase 0xb4ce6162... Ultra Sound
14018298 0 3004 1747 +1257 whale_0x8ebd 0xb26f9666... BloXroute Regulated
14016304 3 3045 1788 +1257 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14017701 4 3054 1802 +1252 p2porg 0x85fb0503... Aestus
14021861 0 2998 1747 +1251 coinbase 0x823e0146... Ultra Sound
14015948 1 3011 1760 +1251 coinbase 0x88857150... Ultra Sound
14016226 6 3080 1830 +1250 whale_0xedc6 0x85fb0503... Aestus
14015572 4 3052 1802 +1250 0xb26f9666... BloXroute Max Profit
14017802 1 3010 1760 +1250 everstake 0xb67eaa5e... BloXroute Max Profit
14017339 6 3079 1830 +1249 coinbase 0xb26f9666... Titan Relay
14015776 2 3023 1774 +1249 everstake 0xb7c5c39a... BloXroute Max Profit
14017249 5 3064 1816 +1248 coinbase 0xb26f9666... Titan Relay
14021454 0 2994 1747 +1247 whale_0x8ebd 0xa10f2964... Flashbots
14016804 0 2994 1747 +1247 gateway.fmas_lido 0x8527d16c... Ultra Sound
14021159 5 3063 1816 +1247 whale_0x8ebd 0x853b0078... Agnostic Gnosis
14020468 1 3007 1760 +1247 coinbase 0xb67eaa5e... Aestus
14019184 0 2993 1747 +1246 coinbase 0xb67eaa5e... BloXroute Max Profit
14015875 3 3034 1788 +1246 p2porg 0xb26f9666... BloXroute Max Profit
14020994 5 3061 1816 +1245 whale_0x8ebd 0xb26f9666... Titan Relay
14019797 1 3004 1760 +1244 kiln 0xb67eaa5e... BloXroute Regulated
14017361 1 3004 1760 +1244 kiln 0x823e0146... Aestus
14014804 6 3073 1830 +1243 everstake 0xb67eaa5e... BloXroute Max Profit
14021781 1 3003 1760 +1243 coinbase 0x8527d16c... Ultra Sound
14019089 1 3000 1760 +1240 kiln 0x8db2a99d... Flashbots
14020326 0 2986 1747 +1239 coinbase 0x856b0004... Agnostic Gnosis
14018348 5 3055 1816 +1239 coinbase 0xb26f9666... Titan Relay
14015502 0 2985 1747 +1238 coinbase 0x856b0004... Aestus
14019667 5 3054 1816 +1238 kiln 0xb67eaa5e... Aestus
14015363 3 3026 1788 +1238 kiln 0x856b0004... Aestus
14014821 0 2984 1747 +1237 p2porg 0xb26f9666... BloXroute Max Profit
14017450 8 3095 1858 +1237 whale_0x8ebd 0x853b0078... Aestus
14020774 3 3025 1788 +1237 bitstamp 0x8527d16c... Ultra Sound
14015068 0 2983 1747 +1236 0xb26f9666... BloXroute Max Profit
14021718 2 3008 1774 +1234 whale_0x8ebd 0x856b0004... Agnostic Gnosis
14014908 0 2979 1747 +1232 coinbase 0x856b0004... Agnostic Gnosis
14016749 5 3048 1816 +1232 p2porg 0x8527d16c... Ultra Sound
14019373 1 2992 1760 +1232 bitstamp 0x853b0078... Ultra Sound
14017387 5 3047 1816 +1231 kiln 0xb26f9666... Titan Relay
14019927 7 3074 1844 +1230 whale_0x8ebd 0x856b0004... Aestus
14017524 2 3002 1774 +1228 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
14020856 1 2988 1760 +1228 coinbase 0x823e0146... Aestus
14020658 1 2988 1760 +1228 kiln 0xa965c911... Ultra Sound
14015980 6 3057 1830 +1227 coinbase 0xac23f8cc... Flashbots
14020334 15 3182 1955 +1227 whale_0xedc6 0x856b0004... Ultra Sound
14018822 3 3015 1788 +1227 everstake 0x8db2a99d... Flashbots
14019036 3 3014 1788 +1226 coinbase 0x853b0078... Aestus
14015131 0 2972 1747 +1225 coinbase 0xb67eaa5e... BloXroute Max Profit
14018065 0 2972 1747 +1225 coinbase 0xba003e46... Flashbots
14014803 0 2972 1747 +1225 0x82c466b9... EthGas
14017983 9 3097 1872 +1225 mantle 0x853b0078... Ultra Sound
14020120 6 3055 1830 +1225 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
14019468 0 2970 1747 +1223 kiln 0x853b0078... Aestus
14015608 3 3011 1788 +1223 kiln 0x853b0078... Agnostic Gnosis
14016338 1 2983 1760 +1223 coinbase 0x8527d16c... Ultra Sound
14019053 6 3052 1830 +1222 kiln 0x856b0004... Aestus
14015515 2 2996 1774 +1222 coinbase 0x853b0078... Aestus
14021271 0 2968 1747 +1221 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
14017578 1 2981 1760 +1221 coinbase 0x850b00e0... BloXroute Max Profit
14016138 0 2967 1747 +1220 kiln 0x88a53ec4... BloXroute Max Profit
14016958 6 3050 1830 +1220 coinbase 0xb26f9666... Titan Relay
14019206 0 2966 1747 +1219 whale_0x8ebd 0x8db2a99d... Ultra Sound
14018989 8 3076 1858 +1218 coinbase 0xb26f9666... Titan Relay
14015208 0 2964 1747 +1217 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
14015860 8 3075 1858 +1217 kiln 0x8527d16c... Ultra Sound
14014861 2 2991 1774 +1217 coinbase 0x853b0078... Aestus
14015155 1 2976 1760 +1216 solo_stakers 0xb67eaa5e... Aestus
14017034 1 2975 1760 +1215 kiln 0xb26f9666... Titan Relay
14015808 1 2974 1760 +1214 whale_0x8528 0x8db2a99d... Ultra Sound
14021286 0 2960 1747 +1213 everstake 0xb26f9666... Titan Relay
14017881 2 2987 1774 +1213 coinbase 0x85fb0503... Aestus
14016054 1 2973 1760 +1213 kiln 0x8db2a99d... BloXroute Max Profit
14016655 0 2959 1747 +1212 everstake 0x855b00e6... Flashbots
14014860 8 3070 1858 +1212 everstake 0x8527d16c... Ultra Sound
14016609 1 2972 1760 +1212 everstake 0x8db2a99d... Aestus
14020959 0 2958 1747 +1211 everstake 0x850b00e0... BloXroute Max Profit
14016800 3 2999 1788 +1211 everstake 0xb67eaa5e... BloXroute Regulated
14017904 10 3096 1885 +1211 coinbase 0x8527d16c... Ultra Sound
Total anomalies: 396

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