Wed, Mar 4, 2026

Propagation anomalies - 2026-03-04

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

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

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

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

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

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

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

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

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

-- Column arrival timing: first arrival per column, then min/max of those
column_gossip AS (
    SELECT
        slot,
        min(first_seen) AS first_column_first_seen,
        max(first_seen) AS last_column_first_seen
    FROM (
        SELECT
            slot,
            column_index,
            min(event_date_time) AS first_seen
        FROM libp2p_gossipsub_data_column_sidecar
        WHERE meta_network_name = 'mainnet'
          AND slot_start_date_time >= '2026-03-04' AND slot_start_date_time < '2026-03-04'::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,203
MEV blocks: 6,716 (93.2%)
Local blocks: 487 (6.8%)

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 = 1712.3 + 15.69 × blob_count (R² = 0.012)
Residual σ = 651.0ms
Anomalies (>2σ slow): 383 (5.3%)
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
13813327 0 10522 1712 +8810 solo_stakers Local Local
13816191 6 9348 1806 +7542 solo_stakers Local Local
13820265 16 8545 1963 +6582 solo_stakers Local Local
13819111 0 6259 1712 +4547 whale_0x3212 Local Local
13817380 3 6016 1759 +4257 rocketpool Local Local
13814944 0 4637 1712 +2925 upbit Local Local
13813622 0 4598 1712 +2886 abyss_finance Local Local
13813718 20 4822 2026 +2796 stakefish Local Local
13813502 0 4419 1712 +2707 stakefish Local Local
13818944 0 4416 1712 +2704 upbit Local Local
13815198 0 4367 1712 +2655 whale_0x8f33 Local Local
13813208 0 4363 1712 +2651 whale_0xad1d Local Local
13813928 0 4181 1712 +2469 stakefish Local Local
13817862 0 4155 1712 +2443 stakefish Local Local
13818863 0 4125 1712 +2413 lido Local Local
13813360 0 4051 1712 +2339 everstake Local Local
13817545 0 4022 1712 +2310 whale_0x8ebd Local Local
13818848 0 3978 1712 +2266 stakefish Local Local
13815058 0 3978 1712 +2266 stakefish Local Local
13818410 0 3965 1712 +2253 solo_stakers Local Local
13819243 0 3959 1712 +2247 binance Local Local
13814205 0 3926 1712 +2214 whale_0xad1d Local Local
13818080 1 3919 1728 +2191 ether.fi 0x8527d16c... Ultra Sound
13817052 0 3827 1712 +2115 stakefish Local Local
13813695 12 4008 1901 +2107 stakefish Local Local
13816192 7 3871 1822 +2049 lido 0x853b0078... Ultra Sound
13818909 5 3824 1791 +2033 stakefish Local Local
13816721 8 3852 1838 +2014 coinbase 0x8db2a99d... Aestus
13813231 1 3711 1728 +1983 mantle 0xb26f9666... Titan Relay
13820002 1 3711 1728 +1983 whale_0x9212 0x850b00e0... BloXroute Max Profit
13819042 0 3688 1712 +1976 dappnode Local Local
13815599 1 3699 1728 +1971 solo_stakers Local Local
13815566 14 3876 1932 +1944 stakefish Local Local
13819551 8 3772 1838 +1934 stakefish Local Local
13818574 5 3709 1791 +1918 nethermind_lido 0x853b0078... Aestus
13819202 0 3630 1712 +1918 stakefish Local Local
13817417 3 3677 1759 +1918 stakefish Local Local
13819170 5 3685 1791 +1894 lido 0x8db2a99d... Flashbots
13814756 3 3630 1759 +1871 stakefish Local Local
13813423 0 3575 1712 +1863 blockdaemon 0x852b0070... Ultra Sound
13816196 2 3605 1744 +1861 stakefish Local Local
13818304 5 3645 1791 +1854 luno 0xb26f9666... Titan Relay
13816629 8 3691 1838 +1853 stakefish Local Local
13816074 14 3770 1932 +1838 nethermind_lido 0x8db2a99d... Aestus
13818495 0 3533 1712 +1821 solo_stakers 0x851b00b1... BloXroute Max Profit
13819520 8 3656 1838 +1818 blockdaemon 0x88857150... Ultra Sound
13820165 0 3529 1712 +1817 blockdaemon 0x88857150... Ultra Sound
13814761 5 3602 1791 +1811 whale_0x8ebd 0xac23f8cc... BloXroute Max Profit
13813956 5 3594 1791 +1803 blockdaemon 0x88857150... Ultra Sound
13816542 7 3620 1822 +1798 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13816948 6 3603 1806 +1797 stakefish Local Local
13818218 13 3710 1916 +1794 nethermind_lido 0x850b00e0... BloXroute Max Profit
13818652 0 3492 1712 +1780 figment 0xb26f9666... BloXroute Regulated
13818996 0 3488 1712 +1776 figment 0x8527d16c... Ultra Sound
13817168 0 3488 1712 +1776 nethermind_lido 0xb26f9666... Aestus
13815490 2 3514 1744 +1770 stakefish Local Local
13819076 0 3482 1712 +1770 nethermind_lido 0x88a53ec4... BloXroute Regulated
13817704 0 3470 1712 +1758 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13815552 6 3561 1806 +1755 nimbusteam Local Local
13817729 1 3476 1728 +1748 stakefish Local Local
13815191 10 3613 1869 +1744 whale_0xad1d Local Local
13818334 2 3483 1744 +1739 everstake 0x88a53ec4... BloXroute Regulated
13815712 11 3623 1885 +1738 blockdaemon_lido 0x850b00e0... Ultra Sound
13818669 11 3621 1885 +1736 blockdaemon 0x8527d16c... Ultra Sound
13819097 5 3523 1791 +1732 nethermind_lido 0xb26f9666... Titan Relay
13817408 6 3533 1806 +1727 bitstamp 0x855b00e6... BloXroute Max Profit
13814930 5 3517 1791 +1726 stakefish Local Local
13817801 7 3548 1822 +1726 everstake 0xb26f9666... Titan Relay
13814398 0 3436 1712 +1724 everstake 0x856b0004... BloXroute Max Profit
13815424 5 3491 1791 +1700 blockdaemon_lido 0x8527d16c... Ultra Sound
13818624 5 3484 1791 +1693 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13816013 0 3405 1712 +1693 everstake 0xb26f9666... Aestus
13818638 7 3514 1822 +1692 nethermind_lido 0x8527d16c... Ultra Sound
13818991 5 3477 1791 +1686 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13814418 5 3473 1791 +1682 stakefish Local Local
13817656 17 3656 1979 +1677 blockdaemon_lido 0x88857150... Ultra Sound
13819395 1 3402 1728 +1674 blockdaemon 0x8527d16c... Ultra Sound
13820256 13 3584 1916 +1668 everstake_lido Local Local
13817216 9 3520 1853 +1667 stakingfacilities_lido 0x823e0146... BloXroute Max Profit
13819059 5 3448 1791 +1657 coinbase 0xb67eaa5e... Aestus
13814631 10 3519 1869 +1650 blockdaemon 0x8527d16c... Ultra Sound
13817255 6 3456 1806 +1650 everstake 0xb67eaa5e... BloXroute Regulated
13819716 0 3359 1712 +1647 blockdaemon 0xa9bd259c... Ultra Sound
13813954 0 3357 1712 +1645 blockdaemon 0x8a850621... Titan Relay
13816155 6 3451 1806 +1645 whale_0x8ebd Local Local
13815480 0 3351 1712 +1639 nethermind_lido 0x850b00e0... BloXroute Max Profit
13814018 6 3443 1806 +1637 solo_stakers 0xb4ce6162... Ultra Sound
13813919 8 3473 1838 +1635 blockdaemon 0xb4ce6162... Ultra Sound
13819324 0 3346 1712 +1634 everstake 0x8db2a99d... BloXroute Max Profit
13813347 5 3424 1791 +1633 nethermind_lido 0xb26f9666... Titan Relay
13815541 0 3345 1712 +1633 everstake 0x99dbe3e8... Aestus
13814350 11 3515 1885 +1630 coinbase 0x8a850621... Titan Relay
13814614 0 3340 1712 +1628 everstake 0xb26f9666... Aestus
13815266 0 3336 1712 +1624 stakefish Local Local
13814112 10 3484 1869 +1615 bitstamp 0x88a53ec4... BloXroute Max Profit
13818685 0 3326 1712 +1614 blockdaemon 0x8a850621... Titan Relay
13817501 4 3388 1775 +1613 everstake 0xb26f9666... BloXroute Max Profit
13816014 0 3325 1712 +1613 whale_0x8ebd 0x851b00b1... Ultra Sound
13816880 5 3398 1791 +1607 blockdaemon 0x8a850621... Titan Relay
13820094 0 3318 1712 +1606 luno 0xb26f9666... Titan Relay
13813899 0 3316 1712 +1604 coinbase 0x856b0004... BloXroute Max Profit
13816685 18 3596 1995 +1601 everstake 0xb26f9666... Aestus
13813285 0 3313 1712 +1601 blockdaemon_lido 0x852b0070... BloXroute Max Profit
13815706 1 3326 1728 +1598 coinbase 0xb67eaa5e... Aestus
13818873 13 3514 1916 +1598 solo_stakers 0x853b0078... BloXroute Max Profit
13819691 3 3355 1759 +1596 revolut 0x82c466b9... BloXroute Regulated
13814266 0 3305 1712 +1593 0xb26f9666... Titan Relay
13819300 2 3335 1744 +1591 luno 0x82c466b9... BloXroute Regulated
13819271 12 3489 1901 +1588 p2porg 0x82c466b9... BloXroute Regulated
13817448 16 3548 1963 +1585 blockdaemon 0x8a850621... Titan Relay
13817735 0 3296 1712 +1584 blockdaemon 0x8a850621... Titan Relay
13815648 1 3311 1728 +1583 0xb26f9666... BloXroute Max Profit
13814240 0 3291 1712 +1579 p2porg 0x82c466b9... BloXroute Regulated
13814272 0 3289 1712 +1577 whale_0x7ca5 0x8a850621... Titan Relay
13818782 6 3381 1806 +1575 blockdaemon_lido 0x856b0004... Ultra Sound
13819595 3 3333 1759 +1574 everstake 0xb26f9666... Titan Relay
13816580 3 3331 1759 +1572 blockdaemon_lido 0xb26f9666... Titan Relay
13816620 5 3361 1791 +1570 blockdaemon_lido 0x8527d16c... Ultra Sound
13815442 0 3281 1712 +1569 blockdaemon_lido 0x8527d16c... Ultra Sound
13813552 6 3375 1806 +1569 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13816911 5 3359 1791 +1568 everstake 0xb67eaa5e... Aestus
13814330 11 3453 1885 +1568 whale_0x8ebd Local Local
13818676 0 3279 1712 +1567 luno 0x853b0078... Ultra Sound
13819531 0 3277 1712 +1565 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13815919 6 3371 1806 +1565 coinbase 0x8db2a99d... Aestus
13815473 17 3543 1979 +1564 blockdaemon_lido 0x853b0078... BloXroute Regulated
13818759 7 3381 1822 +1559 0x853b0078... BloXroute Regulated
13816474 6 3365 1806 +1559 blockdaemon_lido 0x88857150... Ultra Sound
13817978 5 3349 1791 +1558 everstake 0xb26f9666... Titan Relay
13815808 5 3344 1791 +1553 p2porg 0x88857150... Ultra Sound
13813346 0 3264 1712 +1552 0xb67eaa5e... BloXroute Regulated
13819462 8 3389 1838 +1551 nethermind_lido 0x8db2a99d... Agnostic Gnosis
13814837 1 3277 1728 +1549 0x8527d16c... Ultra Sound
13817917 1 3277 1728 +1549 everstake 0x853b0078... Agnostic Gnosis
13816175 10 3414 1869 +1545 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13813885 0 3250 1712 +1538 blockdaemon 0x851b00b1... BloXroute Max Profit
13817235 5 3328 1791 +1537 blockdaemon_lido 0x8527d16c... Ultra Sound
13814584 8 3375 1838 +1537 blockdaemon 0x8a850621... Titan Relay
13818734 5 3327 1791 +1536 kiln 0x823e0146... BloXroute Max Profit
13816520 0 3247 1712 +1535 0xb26f9666... Aestus
13819634 0 3243 1712 +1531 everstake 0x823e0146... BloXroute Max Profit
13814624 11 3412 1885 +1527 bitstamp 0x823e0146... BloXroute Max Profit
13814895 5 3317 1791 +1526 blockdaemon_lido 0xb26f9666... Titan Relay
13819329 5 3313 1791 +1522 everstake 0x88a53ec4... BloXroute Regulated
13818064 3 3280 1759 +1521 everstake 0xb26f9666... Titan Relay
13820249 6 3325 1806 +1519 kiln 0xb67eaa5e... BloXroute Max Profit
13818195 6 3324 1806 +1518 blockdaemon_lido 0xb26f9666... Titan Relay
13818694 4 3292 1775 +1517 whale_0xdc8d 0xb26f9666... Titan Relay
13816247 0 3229 1712 +1517 p2porg 0x8527d16c... Ultra Sound
13813508 6 3323 1806 +1517 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13816305 2 3260 1744 +1516 revolut 0x853b0078... BloXroute Regulated
13816181 6 3322 1806 +1516 stader 0x823e0146... Ultra Sound
13819084 5 3306 1791 +1515 blockdaemon 0x8527d16c... Ultra Sound
13818914 0 3227 1712 +1515 everstake 0x88a53ec4... BloXroute Max Profit
13816193 3 3274 1759 +1515 whale_0xc541 0xb4ce6162... Ultra Sound
13813591 9 3367 1853 +1514 whale_0x8ebd 0x853b0078... BloXroute Max Profit
13815667 5 3304 1791 +1513 blockdaemon 0xb26f9666... Titan Relay
13816929 7 3335 1822 +1513 0x8db2a99d... Ultra Sound
13818342 2 3256 1744 +1512 blockdaemon_lido 0x8db2a99d... Ultra Sound
13815606 0 3224 1712 +1512 whale_0xdc8d 0x88857150... Ultra Sound
13818695 10 3377 1869 +1508 whale_0x8ebd Local Local
13817555 0 3215 1712 +1503 0x88857150... Ultra Sound
13815411 6 3309 1806 +1503 everstake 0x823e0146... Agnostic Gnosis
13814848 13 3416 1916 +1500 p2porg 0x853b0078... BloXroute Regulated
13819894 0 3209 1712 +1497 blockdaemon_lido 0x823e0146... BloXroute Max Profit
13820021 0 3209 1712 +1497 everstake 0x856b0004... BloXroute Max Profit
13818961 5 3285 1791 +1494 blockdaemon 0xb26f9666... Titan Relay
13819216 10 3362 1869 +1493 whale_0xdc8d 0x853b0078... Ultra Sound
13814793 0 3204 1712 +1492 blockdaemon 0x88a53ec4... BloXroute Regulated
13815719 0 3203 1712 +1491 everstake 0xb26f9666... Aestus
13817236 6 3296 1806 +1490 everstake 0x853b0078... BloXroute Max Profit
13818725 6 3296 1806 +1490 ether.fi 0x8db2a99d... BloXroute Max Profit
13819151 5 3278 1791 +1487 whale_0x8ebd 0x823e0146... BloXroute Max Profit
13817721 13 3400 1916 +1484 0x856b0004... Aestus
13814566 11 3368 1885 +1483 blockdaemon_lido 0x88857150... Ultra Sound
13818639 0 3194 1712 +1482 solo_stakers 0x851b00b1... BloXroute Max Profit
13819521 0 3192 1712 +1480 bitstamp 0x851b00b1... BloXroute Max Profit
13820278 0 3192 1712 +1480 everstake 0x8527d16c... Ultra Sound
13818905 6 3286 1806 +1480 blockdaemon 0x88a53ec4... BloXroute Max Profit
13816868 2 3223 1744 +1479 blockdaemon_lido 0x856b0004... Ultra Sound
13814757 5 3266 1791 +1475 everstake 0xb26f9666... Titan Relay
13817911 1 3203 1728 +1475 blockdaemon 0x855b00e6... BloXroute Max Profit
13818431 1 3203 1728 +1475 everstake 0x823e0146... BloXroute Max Profit
13813627 0 3187 1712 +1475 everstake 0x853b0078... BloXroute Regulated
13818640 16 3436 1963 +1473 blockdaemon 0x82c466b9... BloXroute Regulated
13816753 0 3185 1712 +1473 whale_0xdc8d 0xb26f9666... Ultra Sound
13814799 19 3483 2010 +1473 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13814093 5 3263 1791 +1472 stader 0xac23f8cc... BloXroute Max Profit
13817024 1 3200 1728 +1472 bitstamp 0x88857150... Ultra Sound
13817822 0 3182 1712 +1470 everstake 0x852b0070... BloXroute Max Profit
13816256 15 3416 1948 +1468 ether.fi 0x8a850621... EthGas
13819488 16 3430 1963 +1467 revolut 0x853b0078... Ultra Sound
13815886 0 3179 1712 +1467 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13818434 7 3288 1822 +1466 luno 0x88857150... Ultra Sound
13814236 5 3254 1791 +1463 everstake 0x8527d16c... Ultra Sound
13817564 0 3175 1712 +1463 p2porg 0x853b0078... Titan Relay
13816790 19 3473 2010 +1463 blockdaemon_lido 0x8527d16c... Ultra Sound
13813587 8 3300 1838 +1462 blockdaemon 0x88a53ec4... BloXroute Regulated
13816988 5 3251 1791 +1460 0x8527d16c... Ultra Sound
13818264 0 3172 1712 +1460 solo_stakers 0x851b00b1... BloXroute Max Profit
13817959 8 3296 1838 +1458 whale_0xdc8d 0x8527d16c... Ultra Sound
13819196 1 3185 1728 +1457 everstake 0x8527d16c... Ultra Sound
13816537 5 3246 1791 +1455 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13814974 10 3323 1869 +1454 blockdaemon 0x850b00e0... BloXroute Regulated
13815002 8 3290 1838 +1452 everstake 0x856b0004... Aestus
13817337 11 3337 1885 +1452 0x8527d16c... Ultra Sound
13817126 1 3177 1728 +1449 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13813758 5 3237 1791 +1446 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13816998 8 3284 1838 +1446 luno 0xb26f9666... Titan Relay
13815148 12 3346 1901 +1445 everstake 0xb26f9666... BloXroute Regulated
13814787 14 3376 1932 +1444 stakingfacilities_lido 0x8db2a99d... BloXroute Max Profit
13815684 3 3199 1759 +1440 p2porg 0x850b00e0... BloXroute Regulated
13817116 5 3229 1791 +1438 revolut 0x853b0078... Ultra Sound
13813741 11 3322 1885 +1437 luno 0xb26f9666... Titan Relay
13818087 4 3212 1775 +1437 p2porg 0x850b00e0... BloXroute Regulated
13814050 10 3304 1869 +1435 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13817209 5 3225 1791 +1434 p2porg 0x850b00e0... BloXroute Regulated
13819369 5 3225 1791 +1434 p2porg 0x856b0004... BloXroute Max Profit
13814890 18 3425 1995 +1430 everstake 0x853b0078... Aestus
13819644 0 3142 1712 +1430 ether.fi 0x88857150... Ultra Sound
13813455 0 3141 1712 +1429 nethermind_lido 0x851b00b1... BloXroute Max Profit
13813881 6 3235 1806 +1429 everstake 0xb26f9666... Aestus
13815401 11 3313 1885 +1428 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13814857 1 3156 1728 +1428 everstake 0x853b0078... BloXroute Max Profit
13813254 1 3156 1728 +1428 kiln 0xac23f8cc... Agnostic Gnosis
13819897 9 3281 1853 +1428 everstake 0xb67eaa5e... BloXroute Regulated
13818601 1 3154 1728 +1426 blockdaemon_lido 0xb26f9666... Titan Relay
13814067 2 3168 1744 +1424 p2porg 0x91b123d8... BloXroute Regulated
13813435 8 3261 1838 +1423 kelp 0x823e0146... BloXroute Max Profit
13814310 0 3134 1712 +1422 everstake 0x85fb0503... BloXroute Max Profit
13815714 0 3132 1712 +1420 blockdaemon_lido 0xb7c5e609... BloXroute Max Profit
13814508 18 3414 1995 +1419 everstake 0x8527d16c... Ultra Sound
13817263 5 3208 1791 +1417 blockdaemon_lido 0x853b0078... BloXroute Regulated
13813623 10 3285 1869 +1416 blockdaemon Local Local
13819454 5 3206 1791 +1415 everstake 0xb67eaa5e... BloXroute Max Profit
13816526 0 3125 1712 +1413 blockdaemon_lido 0x83bee517... BloXroute Max Profit
13813880 5 3202 1791 +1411 everstake 0x853b0078... BloXroute Max Profit
13815912 21 3451 2042 +1409 ether.fi 0x88a53ec4... BloXroute Regulated
13818356 13 3325 1916 +1409 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13814261 9 3261 1853 +1408 whale_0xc541 0x8527d16c... Ultra Sound
13814233 5 3198 1791 +1407 ether.fi 0x8527d16c... Ultra Sound
13814046 0 3119 1712 +1407 everstake 0xba003e46... Flashbots
13819014 13 3322 1916 +1406 everstake 0x823e0146... Aestus
13815462 5 3194 1791 +1403 everstake 0x8527d16c... Ultra Sound
13817806 0 3115 1712 +1403 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13814512 8 3239 1838 +1401 everstake 0x853b0078... Aestus
13816864 8 3238 1838 +1400 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13818454 7 3221 1822 +1399 p2porg 0x850b00e0... BloXroute Regulated
13818851 13 3315 1916 +1399 ether.fi 0xb67eaa5e... BloXroute Regulated
13818644 0 3111 1712 +1399 solo_stakers 0x8db2a99d... Flashbots
13817339 6 3205 1806 +1399 blockdaemon_lido 0x853b0078... Ultra Sound
13814973 4 3173 1775 +1398 everstake 0x853b0078... Agnostic Gnosis
13814625 0 3109 1712 +1397 kelp 0x8527d16c... Ultra Sound
13819308 5 3186 1791 +1395 everstake 0xb26f9666... BloXroute Max Profit
13815842 0 3107 1712 +1395 abyss_finance 0xb211df49... Agnostic Gnosis
13817381 6 3201 1806 +1395 0x8527d16c... Ultra Sound
13815793 4 3168 1775 +1393 p2porg 0x853b0078... BloXroute Regulated
13816457 15 3339 1948 +1391 stader 0x8db2a99d... Ultra Sound
13813846 8 3229 1838 +1391 mantle 0x88a53ec4... BloXroute Max Profit
13815623 1 3116 1728 +1388 abyss_finance 0x855b00e6... Flashbots
13816509 10 3257 1869 +1388 kiln 0x8db2a99d... BloXroute Max Profit
13814780 15 3335 1948 +1387 blockdaemon_lido 0xb26f9666... Titan Relay
13819909 6 3192 1806 +1386 p2porg 0x855b00e6... Ultra Sound
13818350 6 3191 1806 +1385 ether.fi 0xb67eaa5e... BloXroute Max Profit
13815945 1 3112 1728 +1384 kiln 0xb67eaa5e... BloXroute Max Profit
13818548 6 3188 1806 +1382 blockdaemon_lido 0xb26f9666... Titan Relay
13813715 0 3093 1712 +1381 p2porg 0xb26f9666... BloXroute Max Profit
13817578 0 3091 1712 +1379 whale_0x8ebd 0xb67eaa5e... Aestus
13816376 5 3168 1791 +1377 blockdaemon_lido 0xac23f8cc... Ultra Sound
13814239 10 3246 1869 +1377 nethermind_lido 0xb7c5e609... BloXroute Max Profit
13815721 1 3104 1728 +1376 mantle 0xac23f8cc... Agnostic Gnosis
13813873 11 3260 1885 +1375 revolut 0xb26f9666... Titan Relay
13817616 0 3087 1712 +1375 p2porg 0x850b00e0... BloXroute Regulated
13813286 19 3385 2010 +1375 whale_0xdc8d 0x8527d16c... Ultra Sound
13814704 1 3099 1728 +1371 p2porg 0x850b00e0... BloXroute Regulated
13819367 0 3082 1712 +1370 ether.fi 0x8527d16c... Ultra Sound
13819439 8 3207 1838 +1369 coinbase 0xb67eaa5e... Aestus
13818065 0 3081 1712 +1369 p2porg 0xb26f9666... Titan Relay
13818208 0 3081 1712 +1369 ether.fi 0xb67eaa5e... BloXroute Regulated
13820318 0 3081 1712 +1369 solo_stakers 0xb26f9666... BloXroute Regulated
13819638 1 3096 1728 +1368 p2porg 0x856b0004... Ultra Sound
13817049 6 3174 1806 +1368 p2porg 0x853b0078... Titan Relay
13813782 5 3158 1791 +1367 p2porg 0x88510a78... BloXroute Regulated
13814524 1 3095 1728 +1367 whale_0x8ebd 0x853b0078... Ultra Sound
13816156 10 3236 1869 +1367 stakingfacilities_lido 0x853b0078... Ultra Sound
13819205 0 3079 1712 +1367 p2porg 0x852b0070... BloXroute Max Profit
13813617 3 3125 1759 +1366 ether.fi 0x853b0078... BloXroute Max Profit
13815296 7 3185 1822 +1363 nethermind_lido 0x853b0078... BloXroute Regulated
13815759 6 3169 1806 +1363 everstake 0xb26f9666... Titan Relay
13816433 4 3137 1775 +1362 p2porg 0x853b0078... BloXroute Regulated
13813479 5 3152 1791 +1361 p2porg 0x853b0078... Agnostic Gnosis
13818265 1 3089 1728 +1361 ether.fi 0x8527d16c... Ultra Sound
13819881 3 3118 1759 +1359 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13818714 0 3070 1712 +1358 everstake 0xb4ce6162... Ultra Sound
13814304 5 3148 1791 +1357 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13816069 0 3069 1712 +1357 p2porg 0x852b0070... Ultra Sound
13814193 6 3163 1806 +1357 blockdaemon 0x856b0004... BloXroute Max Profit
13816030 14 3287 1932 +1355 everstake 0x856b0004... Agnostic Gnosis
13819486 0 3067 1712 +1355 figment 0x852b0070... Aestus
13814894 0 3066 1712 +1354 whale_0x8ebd 0x8db2a99d... Ultra Sound
13815096 1 3081 1728 +1353 p2porg 0x88857150... Ultra Sound
13817654 0 3064 1712 +1352 p2porg 0xb26f9666... Aestus
13818814 0 3064 1712 +1352 whale_0x7c1b 0x88857150... Ultra Sound
13815876 5 3142 1791 +1351 0x850b00e0... BloXroute Regulated
13817865 21 3392 2042 +1350 p2porg 0x850b00e0... BloXroute Regulated
13816599 8 3188 1838 +1350 mantle 0xb67eaa5e... BloXroute Max Profit
13820047 1 3078 1728 +1350 p2porg 0x853b0078... Agnostic Gnosis
13819612 1 3078 1728 +1350 mantle 0x8527d16c... Ultra Sound
13815938 0 3062 1712 +1350 p2porg 0xb26f9666... Aestus
13814373 0 3061 1712 +1349 p2porg 0x850b00e0... BloXroute Regulated
13816471 0 3061 1712 +1349 ether.fi 0xb26f9666... Titan Relay
13819328 9 3202 1853 +1349 kelp 0x8db2a99d... BloXroute Max Profit
13816607 4 3122 1775 +1347 abyss_finance 0xb26f9666... Titan Relay
13815685 6 3151 1806 +1345 ether.fi 0xb7c5beef... BloXroute Max Profit
13817319 2 3087 1744 +1343 whale_0x8ebd 0x8527d16c... Ultra Sound
13817488 1 3071 1728 +1343 kelp 0x88857150... Ultra Sound
13816547 1 3071 1728 +1343 mantle 0x823e0146... Ultra Sound
13818046 0 3055 1712 +1343 blockdaemon 0xa9bd259c... Ultra Sound
13816428 0 3055 1712 +1343 0x8527d16c... Ultra Sound
13813921 2 3085 1744 +1341 ether.fi 0x856b0004... Agnostic Gnosis
13818172 5 3132 1791 +1341 ether.fi 0x856b0004... BloXroute Max Profit
13815749 9 3193 1853 +1340 gateway.fmas_lido 0x853b0078... BloXroute Max Profit
13815073 0 3050 1712 +1338 abyss_finance 0xb67eaa5e... Aestus
13817507 3 3097 1759 +1338 ether.fi 0xb26f9666... Titan Relay
13819452 6 3144 1806 +1338 p2porg 0x88a53ec4... Aestus
13817961 13 3252 1916 +1336 everstake 0x823e0146... BloXroute Max Profit
13816581 9 3188 1853 +1335 0x856b0004... Aestus
13818886 2 3078 1744 +1334 ether.fi 0x823e0146... BloXroute Max Profit
13818173 9 3187 1853 +1334 nethermind_lido 0x850b00e0... BloXroute Max Profit
13817743 21 3374 2042 +1332 p2porg 0x850b00e0... BloXroute Regulated
13815609 1 3060 1728 +1332 whale_0x8ebd 0xb67eaa5e... Aestus
13813219 3 3090 1759 +1331 p2porg 0x8527d16c... Ultra Sound
13817383 0 3042 1712 +1330 kelp 0x87cc2536... Aestus
13816281 2 3073 1744 +1329 ether.fi 0x8db2a99d... BloXroute Max Profit
13814155 0 3041 1712 +1329 ether.fi 0xb26f9666... Titan Relay
13819600 11 3212 1885 +1327 kiln 0x8db2a99d... BloXroute Max Profit
13818932 5 3117 1791 +1326 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13817975 13 3241 1916 +1325 kiln 0x88a53ec4... BloXroute Max Profit
13819518 3 3084 1759 +1325 everstake 0xb4ce6162... Ultra Sound
13814058 7 3146 1822 +1324 blockdaemon_lido 0xb26f9666... Titan Relay
13819215 1 3051 1728 +1323 everstake 0x853b0078... Agnostic Gnosis
13820162 0 3035 1712 +1323 p2porg 0x852b0070... BloXroute Max Profit
13815659 10 3191 1869 +1322 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13819443 7 3143 1822 +1321 whale_0x4685 0xb67eaa5e... BloXroute Regulated
13818254 0 3033 1712 +1321 mantle 0x850b00e0... BloXroute Max Profit
13817068 0 3033 1712 +1321 solo_stakers Local Local
13815965 0 3031 1712 +1319 0xb67eaa5e... Aestus
13816382 0 3031 1712 +1319 everstake 0xb4ce6162... Ultra Sound
13813689 1 3046 1728 +1318 ether.fi 0xb26f9666... Aestus
13816389 1 3046 1728 +1318 0xb26f9666... Aestus
13814315 12 3217 1901 +1316 p2porg 0x850b00e0... BloXroute Regulated
13816745 8 3154 1838 +1316 figment 0x8527d16c... Ultra Sound
13816928 4 3091 1775 +1316 everstake 0x8527d16c... Ultra Sound
13819977 3 3075 1759 +1316 kiln 0x88a53ec4... BloXroute Max Profit
13819187 6 3122 1806 +1316 whale_0x8ebd 0x88857150... Ultra Sound
13819125 6 3121 1806 +1315 figment 0x8527d16c... Ultra Sound
13817877 10 3183 1869 +1314 kiln 0xac23f8cc... BloXroute Max Profit
13816367 0 3025 1712 +1313 whale_0x8ebd 0x88510a78... Ultra Sound
13814977 6 3119 1806 +1313 everstake 0xb4ce6162... Ultra Sound
13816624 1 3040 1728 +1312 p2porg 0x856b0004... Agnostic Gnosis
13814784 0 3024 1712 +1312 gateway.fmas_lido 0x8527d16c... Ultra Sound
13816961 0 3024 1712 +1312 ether.fi 0x851b00b1... Flashbots
13813684 0 3023 1712 +1311 0x853b0078... Agnostic Gnosis
13817663 0 3023 1712 +1311 0x856b0004... BloXroute Max Profit
13819177 0 3022 1712 +1310 p2porg 0x8527d16c... Ultra Sound
13817585 0 3022 1712 +1310 kelp 0xb67eaa5e... BloXroute Max Profit
13819128 6 3116 1806 +1310 kiln 0x8db2a99d... BloXroute Max Profit
13814720 4 3084 1775 +1309 csm_operator221_lido 0x853b0078... Agnostic Gnosis
13817399 0 3020 1712 +1308 whale_0x8ebd 0x823e0146... Ultra Sound
13818455 5 3098 1791 +1307 stakingfacilities_lido 0x853b0078... Agnostic Gnosis
13815063 0 3019 1712 +1307 p2porg 0xb26f9666... BloXroute Max Profit
13815049 0 3019 1712 +1307 ether.fi 0xb26f9666... Titan Relay
13819862 5 3097 1791 +1306 everstake 0x8a850621... Titan Relay
13815352 17 3285 1979 +1306 kiln 0x823e0146... BloXroute Max Profit
13813536 1 3034 1728 +1306 mantle 0x853b0078... BloXroute Max Profit
13815982 0 3018 1712 +1306 whale_0x8ebd 0xb26f9666... Titan Relay
13816886 5 3096 1791 +1305 p2porg 0x8527d16c... Ultra Sound
13817043 0 3017 1712 +1305 kiln 0xb26f9666... Aestus
13819213 0 3017 1712 +1305 p2porg 0xb26f9666... BloXroute Regulated
13815043 6 3110 1806 +1304 p2porg 0xb26f9666... BloXroute Regulated
13818818 6 3110 1806 +1304 kelp 0x8527d16c... Ultra Sound
13819386 0 3015 1712 +1303 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13819173 6 3109 1806 +1303 everstake 0x850b00e0... BloXroute Max Profit
Total anomalies: 383

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