Mon, Mar 16, 2026

Propagation anomalies - 2026-03-16

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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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-16' AND slot_start_date_time < '2026-03-16'::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,173
MEV blocks: 6,710 (93.5%)
Local blocks: 463 (6.5%)

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 = 1759.3 + 19.41 × blob_count (R² = 0.014)
Residual σ = 633.5ms
Anomalies (>2σ slow): 360 (5.0%)
Show code
# Create scatter plot with regression band
x_range = np.array([0, int(max_blobs)])
y_pred = intercept + slope * x_range
y_upper = y_pred + 2 * residual_std
y_lower = y_pred - 2 * residual_std

fig = go.Figure()

# Add ±2σ band
fig.add_trace(go.Scatter(
    x=np.concatenate([x_range, x_range[::-1]]),
    y=np.concatenate([y_upper, y_lower[::-1]]),
    fill="toself",
    fillcolor="rgba(100,100,100,0.2)",
    line=dict(width=0),
    name="±2σ band",
    hoverinfo="skip",
))

# Add regression line
fig.add_trace(go.Scatter(
    x=x_range,
    y=y_pred,
    mode="lines",
    line=dict(color="white", width=2, dash="dash"),
    name="Expected",
))

# Normal points (sample to avoid overplotting)
df_normal = df_anomaly[~df_anomaly["is_anomaly"]]
if len(df_normal) > 2000:
    df_normal = df_normal.sample(2000, random_state=42)

fig.add_trace(go.Scatter(
    x=df_normal["blob_count"],
    y=df_normal["block_first_seen_ms"],
    mode="markers",
    marker=dict(size=4, color="rgba(100,150,200,0.4)"),
    name=f"Normal ({len(df_anomaly) - n_anomalies:,})",
    hoverinfo="skip",
))

# Anomaly points
fig.add_trace(go.Scatter(
    x=df_outliers["blob_count"],
    y=df_outliers["block_first_seen_ms"],
    mode="markers",
    marker=dict(
        size=7,
        color="#e74c3c",
        line=dict(width=1, color="white"),
    ),
    name=f"Anomalies ({n_anomalies:,})",
    customdata=np.column_stack([
        df_outliers["slot"],
        df_outliers["residual_ms"].round(0),
        df_outliers["relay"],
    ]),
    hovertemplate="<b>Slot %{customdata[0]}</b><br>Blobs: %{x}<br>Actual: %{y:.0f}ms<br>+%{customdata[1]}ms vs expected<br>Relay: %{customdata[2]}<extra></extra>",
))

fig.update_layout(
    margin=dict(l=60, r=30, t=30, b=60),
    xaxis=dict(title="Blob count", range=[-0.5, int(max_blobs) + 0.5]),
    yaxis=dict(title="Block first seen (ms from slot start)"),
    legend=dict(orientation="h", yanchor="bottom", y=1.02, xanchor="right", x=1),
    height=500,
)
fig.show(config={"responsive": True})

All propagation anomalies

Blocks that propagated much slower than expected given their blob count, sorted by residual (worst first).

Show code
# All anomalies table with selectable text and Lab links
if n_anomalies > 0:
    df_table = df_outliers.sort_values("residual_ms", ascending=False)[
        ["slot", "blob_count", "block_first_seen_ms", "expected_ms", "residual_ms", "proposer", "builder", "relay"]
    ].copy()
    df_table["block_first_seen_ms"] = df_table["block_first_seen_ms"].round(0).astype(int)
    df_table["expected_ms"] = df_table["expected_ms"].round(0).astype(int)
    df_table["residual_ms"] = df_table["residual_ms"].round(0).astype(int)
    
    # Build HTML table
    html = '''
    <style>
    .anomaly-table { border-collapse: collapse; width: 100%; font-family: monospace; font-size: 13px; }
    .anomaly-table th { background: #2c3e50; color: white; padding: 8px 12px; text-align: left; position: sticky; top: 0; }
    .anomaly-table td { padding: 6px 12px; border-bottom: 1px solid #eee; }
    .anomaly-table tr:hover { background: #f5f5f5; }
    .anomaly-table .num { text-align: right; }
    .anomaly-table .delta { background: #ffebee; color: #c62828; font-weight: bold; }
    .anomaly-table a { color: #1976d2; text-decoration: none; }
    .anomaly-table a:hover { text-decoration: underline; }
    .table-container { max-height: 600px; overflow-y: auto; }
    </style>
    <div class="table-container">
    <table class="anomaly-table">
    <thead>
    <tr><th>Slot</th><th class="num">Blobs</th><th class="num">Actual (ms)</th><th class="num">Expected (ms)</th><th class="num">Δ (ms)</th><th>Proposer</th><th>Builder</th><th>Relay</th></tr>
    </thead>
    <tbody>
    '''
    
    for _, row in df_table.iterrows():
        slot_link = f'<a href="https://lab.ethpandaops.io/ethereum/slots/{row["slot"]}" target="_blank">{row["slot"]}</a>'
        html += f'''<tr>
            <td>{slot_link}</td>
            <td class="num">{row["blob_count"]}</td>
            <td class="num">{row["block_first_seen_ms"]}</td>
            <td class="num">{row["expected_ms"]}</td>
            <td class="num delta">+{row["residual_ms"]}</td>
            <td>{row["proposer"]}</td>
            <td>{row["builder"]}</td>
            <td>{row["relay"]}</td>
        </tr>'''
    
    html += '</tbody></table></div>'
    display(HTML(html))
    print(f"\nTotal anomalies: {len(df_table):,}")
else:
    print("No anomalies detected.")
SlotBlobsActual (ms)Expected (ms)Δ (ms)ProposerBuilderRelay
13905825 0 7041 1759 +5282 solo_stakers Local Local
13902176 5 7010 1856 +5154 piertwo Local Local
13906080 0 4686 1759 +2927 whale_0x8ebd Local Local
13900887 0 4662 1759 +2903 lido Local Local
13905627 0 4572 1759 +2813 ether.fi Local Local
13906700 0 4403 1759 +2644 whale_0x8ebd Local Local
13902976 0 4294 1759 +2535 upbit Local Local
13905043 0 4270 1759 +2511 nethermind_lido Local Local
13904892 0 4253 1759 +2494 nethermind_lido Local Local
13905904 0 4221 1759 +2462 whale_0x8ebd Local Local
13901056 6 4322 1876 +2446 whale_0xe389 Local Local
13906386 0 4051 1759 +2292 whale_0x8ebd Local Local
13905888 11 4156 1973 +2183 binance Local Local
13903648 0 3920 1759 +2161 coinbase Local Local
13906245 0 3919 1759 +2160 nethermind_lido 0xb26f9666... Aestus
13906727 0 3853 1759 +2094 blockdaemon Local Local
13903239 0 3812 1759 +2053 whale_0x8ebd 0x8db2a99d... Ultra Sound
13904896 8 3961 1915 +2046 nethermind_lido 0x88a53ec4... BloXroute Regulated
13906283 0 3791 1759 +2032 blockdaemon_lido 0xb26f9666... Titan Relay
13905535 9 3937 1934 +2003 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13906272 5 3806 1856 +1950 p2porg 0x853b0078... Titan Relay
13906432 5 3754 1856 +1898 blockdaemon_lido 0x88857150... Ultra Sound
13905932 0 3635 1759 +1876 blockdaemon 0xb26f9666... Titan Relay
13903049 0 3625 1759 +1866 blockdaemon 0x88857150... Ultra Sound
13905408 0 3620 1759 +1861 whale_0x8ebd 0x8527d16c... Ultra Sound
13905835 0 3617 1759 +1858 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13903679 5 3703 1856 +1847 coinbase 0x8db2a99d... Aestus
13900288 0 3589 1759 +1830 blockdaemon 0xb4ce6162... Ultra Sound
13906720 10 3777 1953 +1824 whale_0x8ebd 0x823e0146... Flashbots
13902019 0 3582 1759 +1823 whale_0x8ebd 0x8527d16c... Ultra Sound
13906709 0 3581 1759 +1822 ether.fi 0x8a850621... EthGas
13905715 1 3599 1779 +1820 everstake 0x8db2a99d... Aestus
13902248 0 3578 1759 +1819 whale_0x8ebd 0xb4ce6162... Ultra Sound
13903608 1 3578 1779 +1799 blockdaemon 0x857b0038... Ultra Sound
13905728 0 3537 1759 +1778 whale_0x8ebd 0x88857150... Ultra Sound
13905487 1 3551 1779 +1772 blockdaemon_lido 0x850b00e0... Ultra Sound
13906775 0 3530 1759 +1771 everstake 0x8a850621... Titan Relay
13905207 0 3530 1759 +1771 blockdaemon 0xb211df49... Ultra Sound
13906048 4 3600 1837 +1763 gateway.fmas_lido 0x8db2a99d... Aestus
13899644 0 3501 1759 +1742 whale_0x8ebd 0x8a850621... Titan Relay
13906754 0 3497 1759 +1738 everstake 0xb26f9666... Titan Relay
13902912 0 3480 1759 +1721 binance 0xac23f8cc... Ultra Sound
13905080 3 3537 1818 +1719 whale_0x8ebd 0x8a850621... Ultra Sound
13900442 0 3478 1759 +1719 nethermind_lido 0xb26f9666... Titan Relay
13901551 0 3477 1759 +1718 nethermind_lido 0xb26f9666... Titan Relay
13906203 0 3475 1759 +1716 p2porg 0xb211df49... Ultra Sound
13906415 4 3551 1837 +1714 solo_stakers 0x855b00e6... Ultra Sound
13905706 5 3569 1856 +1713 blockdaemon 0xb26f9666... Titan Relay
13899979 0 3468 1759 +1709 whale_0x8ebd 0x853b0078... Ultra Sound
13906653 13 3718 2012 +1706 kraken 0xb26f9666... EthGas
13902876 0 3445 1759 +1686 stakefish Local Local
13906659 8 3599 1915 +1684 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13903536 8 3593 1915 +1678 stakefish Local Local
13903104 3 3494 1818 +1676 whale_0xd5e9 0x8527d16c... Ultra Sound
13904565 5 3525 1856 +1669 whale_0x8ebd 0x8a850621... Titan Relay
13905933 7 3560 1895 +1665 kraken 0xb26f9666... EthGas
13906705 6 3537 1876 +1661 0x88510a78... Ultra Sound
13906029 5 3515 1856 +1659 ether.fi 0x8527d16c... EthGas
13905461 1 3428 1779 +1649 everstake 0xb26f9666... Titan Relay
13902884 1 3426 1779 +1647 stakefish Local Local
13901627 0 3406 1759 +1647 whale_0x8ebd 0x852b0070... Agnostic Gnosis
13906410 5 3501 1856 +1645 figment 0xb26f9666... Titan Relay
13904953 4 3480 1837 +1643 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13905360 5 3499 1856 +1643 everstake 0x88a53ec4... BloXroute Max Profit
13903681 7 3535 1895 +1640 whale_0xad1d Local Local
13902848 0 3399 1759 +1640 stakingfacilities_lido 0xb26f9666... Titan Relay
13906370 1 3410 1779 +1631 kiln 0xb4ce6162... Ultra Sound
13906380 0 3390 1759 +1631 nethermind_lido 0x88a53ec4... BloXroute Regulated
13906663 3 3446 1818 +1628 ether.fi 0xb26f9666... EthGas
13905463 10 3580 1953 +1627 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13904064 5 3479 1856 +1623 bitstamp 0x8527d16c... Ultra Sound
13903925 3 3440 1818 +1622 nethermind_lido 0xb26f9666... Titan Relay
13905649 0 3375 1759 +1616 nethermind_lido 0x850b00e0... Flashbots
13903125 1 3390 1779 +1611 blockdaemon 0xb4ce6162... Ultra Sound
13903946 5 3462 1856 +1606 blockdaemon 0x857b0038... Ultra Sound
13900548 9 3539 1934 +1605 ether.fi 0xb26f9666... EthGas
13904723 0 3359 1759 +1600 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13899760 5 3452 1856 +1596 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13904835 4 3426 1837 +1589 ether.fi 0x855b00e6... BloXroute Max Profit
13903078 6 3463 1876 +1587 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13902880 8 3500 1915 +1585 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13906722 8 3495 1915 +1580 coinbase 0xb4ce6162... Ultra Sound
13905101 5 3434 1856 +1578 everstake 0x88a53ec4... Aestus
13900128 0 3331 1759 +1572 p2porg 0x852b0070... Ultra Sound
13905301 1 3347 1779 +1568 whale_0xdc8d 0x8db2a99d... BloXroute Regulated
13906193 11 3538 1973 +1565 everstake 0xb26f9666... Titan Relay
13899876 2 3355 1798 +1557 blockdaemon 0x8a850621... Titan Relay
13906331 4 3392 1837 +1555 blockdaemon 0x850b00e0... BloXroute Regulated
13904683 13 3565 2012 +1553 ether.fi 0xb67eaa5e... Titan Relay
13905599 4 3389 1837 +1552 ether.fi 0x8527d16c... EthGas
13900997 0 3307 1759 +1548 revolut 0x8527d16c... Ultra Sound
13904512 5 3404 1856 +1548 bitstamp 0x8db2a99d... Flashbots
13899962 0 3306 1759 +1547 blockdaemon 0xb26f9666... Titan Relay
13902292 9 3476 1934 +1542 nethermind_lido 0x853b0078... Aestus
13906303 0 3301 1759 +1542 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13905160 8 3456 1915 +1541 everstake 0xb26f9666... Titan Relay
13905456 8 3456 1915 +1541 everstake 0xb26f9666... Titan Relay
13905995 0 3300 1759 +1541 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13902595 0 3300 1759 +1541 nethermind_lido 0x853b0078... BloXroute Max Profit
13906769 1 3319 1779 +1540 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13902381 2 3338 1798 +1540 blockdaemon_lido 0x85fb0503... BloXroute Regulated
13902122 0 3298 1759 +1539 blockdaemon 0x8527d16c... Ultra Sound
13901766 1 3316 1779 +1537 blockdaemon 0x8db2a99d... BloXroute Max Profit
13905111 6 3413 1876 +1537 ether.fi 0x8a850621... EthGas
13902339 9 3471 1934 +1537 blockdaemon 0x857b0038... Ultra Sound
13902713 2 3334 1798 +1536 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13902483 7 3431 1895 +1536 whale_0x8ebd 0x855b00e6... BloXroute Max Profit
13902590 0 3295 1759 +1536 ether.fi 0xb67eaa5e... BloXroute Regulated
13900422 3 3352 1818 +1534 whale_0xdc8d 0x8db2a99d... BloXroute Max Profit
13906347 2 3332 1798 +1534 whale_0x8ebd 0x8527d16c... Ultra Sound
13903533 11 3506 1973 +1533 blockdaemon 0xb4ce6162... Ultra Sound
13902308 11 3503 1973 +1530 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13901563 0 3289 1759 +1530 blockdaemon_lido 0xb26f9666... Titan Relay
13906491 7 3423 1895 +1528 revolut 0x850b00e0... BloXroute Regulated
13906142 0 3287 1759 +1528 blockscape_lido 0xb26f9666... Titan Relay
13903591 5 3379 1856 +1523 blockdaemon_lido 0xb26f9666... Titan Relay
13905477 0 3280 1759 +1521 kraken 0x8527d16c... EthGas
13905269 0 3277 1759 +1518 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13905112 5 3374 1856 +1518 ether.fi 0xb67eaa5e... EthGas
13901749 0 3276 1759 +1517 blockdaemon_lido 0x88510a78... Ultra Sound
13902497 5 3371 1856 +1515 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13905332 0 3272 1759 +1513 blockdaemon 0x8a850621... BloXroute Regulated
13906040 3 3327 1818 +1509 coinbase 0x8db2a99d... Ultra Sound
13906077 6 3383 1876 +1507 ether.fi 0x82c466b9... EthGas
13905541 5 3363 1856 +1507 ether.fi 0x8527d16c... EthGas
13905450 1 3284 1779 +1505 nethermind_lido 0x8db2a99d... Flashbots
13905537 1 3282 1779 +1503 stakingfacilities_lido 0x88a53ec4... BloXroute Regulated
13905359 0 3262 1759 +1503 luno 0x82c466b9... Ultra Sound
13903695 9 3436 1934 +1502 blockdaemon 0x850b00e0... BloXroute Max Profit
13900124 2 3300 1798 +1502 blockdaemon 0x88857150... Ultra Sound
13901615 2 3299 1798 +1501 blockdaemon 0x855b00e6... BloXroute Max Profit
13900140 0 3260 1759 +1501 blockdaemon 0xb26f9666... Titan Relay
13902994 0 3259 1759 +1500 blockdaemon 0x8a850621... Titan Relay
13905089 1 3275 1779 +1496 ether.fi 0xb67eaa5e... EthGas
13901574 6 3372 1876 +1496 blockdaemon 0x8527d16c... Ultra Sound
13905152 7 3391 1895 +1496 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13905951 1 3273 1779 +1494 blockdaemon 0x88857150... Ultra Sound
13906766 0 3249 1759 +1490 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
13902597 3 3307 1818 +1489 blockdaemon 0xb26f9666... Titan Relay
13903736 10 3441 1953 +1488 blockdaemon 0x850b00e0... BloXroute Max Profit
13905749 0 3242 1759 +1483 coinbase 0x8527d16c... Ultra Sound
13906365 3 3300 1818 +1482 kraken 0xb67eaa5e... BloXroute Max Profit
13904272 0 3241 1759 +1482 blockdaemon 0x8527d16c... Ultra Sound
13905754 5 3336 1856 +1480 whale_0xdc8d 0x823e0146... BloXroute Regulated
13906445 3 3295 1818 +1477 liquid_collective 0xb26f9666... Titan Relay
13905820 4 3312 1837 +1475 coinbase 0x823e0146... Aestus
13903052 0 3231 1759 +1472 coinbase 0x8527d16c... Ultra Sound
13902385 6 3344 1876 +1468 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13901261 6 3342 1876 +1466 blockdaemon 0x82c466b9... Ultra Sound
13901309 0 3225 1759 +1466 nethermind_lido 0x8527d16c... Ultra Sound
13900473 8 3374 1915 +1459 luno 0x853b0078... Ultra Sound
13901133 6 3335 1876 +1459 blockdaemon 0xb26f9666... Titan Relay
13906390 8 3370 1915 +1455 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13903228 0 3213 1759 +1454 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13905602 0 3212 1759 +1453 ether.fi 0xb67eaa5e... EthGas
13901329 3 3269 1818 +1451 stader 0xb67eaa5e... BloXroute Regulated
13906113 4 3288 1837 +1451 ether.fi 0xb67eaa5e... EthGas
13906123 0 3209 1759 +1450 blockdaemon 0x8527d16c... Ultra Sound
13902606 13 3457 2012 +1445 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13901141 1 3224 1779 +1445 blockdaemon 0x8527d16c... Ultra Sound
13902352 0 3204 1759 +1445 blockdaemon 0x8527d16c... Ultra Sound
13901209 13 3456 2012 +1444 blockdaemon 0xb4ce6162... Ultra Sound
13900799 0 3203 1759 +1444 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13906416 1 3221 1779 +1442 bitstamp 0x88a53ec4... BloXroute Regulated
13900019 1 3221 1779 +1442 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13903004 5 3298 1856 +1442 blockdaemon_lido 0xb67eaa5e... Titan Relay
13906392 14 3469 2031 +1438 everstake 0xb26f9666... Titan Relay
13900923 15 3488 2051 +1437 nethermind_lido 0xb26f9666... Titan Relay
13899859 3 3254 1818 +1436 blockdaemon 0x850b00e0... BloXroute Max Profit
13902734 5 3292 1856 +1436 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13904770 5 3292 1856 +1436 nethermind_lido 0x88a53ec4... BloXroute Regulated
13900652 0 3193 1759 +1434 blockdaemon_lido 0xb67eaa5e... Titan Relay
13901571 1 3212 1779 +1433 blockdaemon_lido 0x856b0004... Ultra Sound
13901351 0 3190 1759 +1431 nethermind_lido 0x8527d16c... Ultra Sound
13902732 5 3284 1856 +1428 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
13902189 7 3321 1895 +1426 whale_0x8ebd 0xb4ce6162... Ultra Sound
13901265 3 3242 1818 +1424 stader 0xb26f9666... Titan Relay
13905075 11 3397 1973 +1424 nethermind_lido 0x850b00e0... BloXroute Max Profit
13904748 4 3259 1837 +1422 gateway.fmas_lido 0xb7c5e609... BloXroute Max Profit
13904962 6 3297 1876 +1421 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13900456 1 3199 1779 +1420 gateway.fmas_lido 0x8db2a99d... BloXroute Max Profit
13902528 0 3178 1759 +1419 whale_0xd5e9 Local Local
13903764 0 3177 1759 +1418 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13903113 3 3233 1818 +1415 blockdaemon 0xb67eaa5e... BloXroute Regulated
13901108 3 3230 1818 +1412 blockdaemon_lido 0xb67eaa5e... Titan Relay
13905717 4 3247 1837 +1410 coinbase 0x88a53ec4... BloXroute Regulated
13906741 6 3284 1876 +1408 bitstamp 0x855b00e6... BloXroute Max Profit
13900161 7 3301 1895 +1406 luno 0xb26f9666... Titan Relay
13905531 0 3164 1759 +1405 coinbase 0x8527d16c... Ultra Sound
13902328 3 3221 1818 +1403 revolut 0xb26f9666... Titan Relay
13899727 13 3415 2012 +1403 nethermind_lido 0x8527d16c... Ultra Sound
13905631 0 3162 1759 +1403 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13906359 1 3180 1779 +1401 coinbase 0xb26f9666... Titan Relay
13903626 6 3276 1876 +1400 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13906603 0 3158 1759 +1399 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13904486 0 3158 1759 +1399 blockdaemon 0x85fb0503... BloXroute Max Profit
13902086 0 3157 1759 +1398 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13905121 0 3157 1759 +1398 stakingfacilities_lido 0x8527d16c... Ultra Sound
13903336 0 3156 1759 +1397 nethermind_lido 0x88a53ec4... BloXroute Regulated
13899700 0 3156 1759 +1397 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13901872 0 3156 1759 +1397 nethermind_lido 0x855b00e6... BloXroute Max Profit
13902492 9 3330 1934 +1396 whale_0x8ebd 0x8527d16c... Ultra Sound
13905973 11 3367 1973 +1394 whale_0x8ebd 0x853b0078... Aestus
13906338 0 3153 1759 +1394 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13903406 6 3269 1876 +1393 bitstamp 0x823e0146... BloXroute Max Profit
13903183 6 3269 1876 +1393 blockdaemon 0x856b0004... Ultra Sound
13904309 0 3152 1759 +1393 everstake 0x852b0070... Agnostic Gnosis
13901841 3 3210 1818 +1392 revolut 0xb26f9666... BloXroute Regulated
13904982 6 3268 1876 +1392 nethermind_lido 0x850b00e0... BloXroute Regulated
13905372 0 3151 1759 +1392 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13900411 2 3188 1798 +1390 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13905743 5 3244 1856 +1388 bitstamp 0x88857150... Ultra Sound
13906300 1 3163 1779 +1384 p2porg 0x850b00e0... BloXroute Regulated
13904419 5 3240 1856 +1384 stakingfacilities_lido 0x856b0004... Agnostic Gnosis
13906191 6 3259 1876 +1383 stakingfacilities_lido 0x8db2a99d... Ultra Sound
13902012 0 3141 1759 +1382 gateway.fmas_lido 0x8db2a99d... Flashbots
13900895 0 3140 1759 +1381 whale_0x8ebd 0x8db2a99d... Ultra Sound
13906009 10 3334 1953 +1381 0xb26f9666... Titan Relay
13902702 6 3256 1876 +1380 revolut 0xb26f9666... Titan Relay
13906746 0 3139 1759 +1380 blockscape_lido 0xb67eaa5e... BloXroute Max Profit
13901584 5 3235 1856 +1379 bitstamp 0xb67eaa5e... BloXroute Max Profit
13902575 7 3272 1895 +1377 everstake 0x853b0078... Agnostic Gnosis
13904941 5 3233 1856 +1377 gateway.fmas_lido 0x8527d16c... Ultra Sound
13902397 0 3135 1759 +1376 gateway.fmas_lido 0x88857150... Ultra Sound
13903132 0 3130 1759 +1371 everstake 0x855b00e6... BloXroute Max Profit
13906177 0 3130 1759 +1371 bitstamp 0x8527d16c... Ultra Sound
13903613 0 3128 1759 +1369 p2porg 0x850b00e0... BloXroute Regulated
13904564 0 3128 1759 +1369 p2porg 0xb26f9666... Titan Relay
13906068 5 3225 1856 +1369 blockdaemon 0x88857150... Ultra Sound
13899621 8 3282 1915 +1367 p2porg 0xb26f9666... BloXroute Max Profit
13901671 4 3204 1837 +1367 nethermind_lido 0xac23f8cc... Flashbots
13904249 1 3145 1779 +1366 p2porg 0x850b00e0... BloXroute Regulated
13904472 0 3125 1759 +1366 stakingfacilities_lido 0x8527d16c... Ultra Sound
13904997 4 3202 1837 +1365 nethermind_lido 0x8527d16c... Ultra Sound
13905653 0 3123 1759 +1364 whale_0x8ebd 0x852b0070... Aestus
13905462 0 3123 1759 +1364 stakingfacilities_lido 0xb67eaa5e... BloXroute Regulated
13902416 5 3220 1856 +1364 gateway.fmas_lido 0xb4ce6162... Ultra Sound
13902717 8 3278 1915 +1363 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13901937 13 3375 2012 +1363 blockdaemon 0x88857150... Ultra Sound
13902999 0 3121 1759 +1362 nethermind_lido 0x8527d16c... Ultra Sound
13906171 11 3334 1973 +1361 nethermind_lido 0x8527d16c... Ultra Sound
13905892 9 3294 1934 +1360 blockdaemon 0x88857150... Ultra Sound
13900482 0 3118 1759 +1359 blockdaemon 0x8527d16c... Ultra Sound
13904261 8 3273 1915 +1358 blockdaemon_lido 0x88857150... Ultra Sound
13906408 0 3117 1759 +1358 blockdaemon_lido 0x8527d16c... Ultra Sound
13906278 5 3213 1856 +1357 blockscape_lido 0xb26f9666... Titan Relay
13906413 1 3134 1779 +1355 nethermind_lido 0x855b00e6... BloXroute Max Profit
13901317 0 3114 1759 +1355 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
13904567 5 3211 1856 +1355 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13905690 5 3211 1856 +1355 stakingfacilities_lido 0xac23f8cc... Ultra Sound
13904680 8 3269 1915 +1354 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13903725 1 3133 1779 +1354 stakingfacilities_lido 0x8527d16c... Ultra Sound
13906201 2 3152 1798 +1354 p2porg 0x850b00e0... BloXroute Regulated
13901119 2 3152 1798 +1354 nethermind_lido 0x855b00e6... Flashbots
13904022 5 3209 1856 +1353 p2porg 0xb67eaa5e... BloXroute Regulated
13906228 6 3224 1876 +1348 kraken 0x8527d16c... EthGas
13906779 1 3125 1779 +1346 whale_0x8ebd 0x8db2a99d... Flashbots
13906777 6 3222 1876 +1346 p2porg 0x850b00e0... BloXroute Regulated
13906600 11 3319 1973 +1346 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13905018 10 3299 1953 +1346 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13900144 0 3104 1759 +1345 p2porg 0x850b00e0... BloXroute Regulated
13905188 10 3298 1953 +1345 blockdaemon_lido 0x856b0004... Ultra Sound
13899967 0 3103 1759 +1344 gateway.fmas_lido 0x8527d16c... Ultra Sound
13900890 0 3103 1759 +1344 whale_0x8ebd 0xb26f9666... Titan Relay
13902538 6 3219 1876 +1343 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13900952 0 3102 1759 +1343 everstake 0xa412c4b8... Ultra Sound
13906190 0 3102 1759 +1343 kraken 0x82c466b9... EthGas
13903139 6 3218 1876 +1342 blockdaemon_lido 0xb67eaa5e... Titan Relay
13904534 0 3101 1759 +1342 whale_0x8ebd 0xa9bd259c... Ultra Sound
13903805 5 3198 1856 +1342 revolut 0x850b00e0... Ultra Sound
13901633 8 3256 1915 +1341 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13901646 4 3178 1837 +1341 everstake 0xb26f9666... Aestus
13905881 5 3197 1856 +1341 gateway.fmas_lido 0x8527d16c... Ultra Sound
13905316 6 3216 1876 +1340 p2porg 0x855b00e6... BloXroute Max Profit
13902888 7 3234 1895 +1339 p2porg 0xb67eaa5e... BloXroute Max Profit
13900159 0 3098 1759 +1339 whale_0x8ebd 0x8db2a99d... Flashbots
13901177 0 3098 1759 +1339 p2porg 0x852b0070... Agnostic Gnosis
13903069 0 3096 1759 +1337 blockdaemon 0x8527d16c... Ultra Sound
13902371 5 3193 1856 +1337 blockdaemon 0x850b00e0... BloXroute Max Profit
13901362 4 3172 1837 +1335 p2porg 0x850b00e0... BloXroute Regulated
13903158 0 3093 1759 +1334 p2porg 0x853b0078... BloXroute Regulated
13903378 0 3093 1759 +1334 p2porg 0x88a53ec4... BloXroute Max Profit
13904996 11 3305 1973 +1332 blockdaemon_lido 0x856b0004... Ultra Sound
13900642 1 3110 1779 +1331 p2porg 0xb67eaa5e... BloXroute Max Profit
13905591 4 3168 1837 +1331 p2porg 0x8db2a99d... BloXroute Regulated
13905304 0 3089 1759 +1330 p2porg 0x88857150... Ultra Sound
13906422 10 3283 1953 +1330 figment 0xb67eaa5e... Ultra Sound
13906174 0 3088 1759 +1329 p2porg 0x852b0070... BloXroute Max Profit
13906139 0 3088 1759 +1329 everstake 0x855b00e6... BloXroute Max Profit
13900604 7 3223 1895 +1328 p2porg 0x850b00e0... BloXroute Regulated
13902600 0 3087 1759 +1328 p2porg 0x850b00e0... BloXroute Regulated
13899955 1 3106 1779 +1327 whale_0xedc6 0x856b0004... Agnostic Gnosis
13902130 3 3144 1818 +1326 coinbase 0x88a53ec4... BloXroute Regulated
13905620 0 3083 1759 +1324 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13904204 0 3082 1759 +1323 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13905790 2 3118 1798 +1320 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13906656 0 3079 1759 +1320 mantle 0x8527d16c... Ultra Sound
13905774 1 3098 1779 +1319 everstake 0x853b0078... Aestus
13905782 4 3156 1837 +1319 blockdaemon 0x88857150... Ultra Sound
13899957 5 3173 1856 +1317 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13905634 0 3075 1759 +1316 kraken 0x8527d16c... EthGas
13901434 1 3094 1779 +1315 whale_0x8ebd 0xb4ce6162... Ultra Sound
13905162 5 3171 1856 +1315 whale_0x8ebd Local Local
13903715 14 3345 2031 +1314 kiln 0x850b00e0... BloXroute Regulated
13905511 5 3166 1856 +1310 everstake 0xb67eaa5e... BloXroute Max Profit
13901036 1 3085 1779 +1306 0xb26f9666... Aestus
13905884 6 3181 1876 +1305 whale_0x8ebd 0xb26f9666... Titan Relay
13905985 2 3103 1798 +1305 everstake 0x856b0004... Agnostic Gnosis
13906789 1 3082 1779 +1303 solo_stakers 0x853b0078... BloXroute Regulated
13900521 0 3062 1759 +1303 blockdaemon_lido 0x853b0078... Ultra Sound
13901970 6 3178 1876 +1302 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13900547 0 3061 1759 +1302 p2porg 0xb26f9666... BloXroute Regulated
13904485 0 3061 1759 +1302 everstake 0x88857150... Ultra Sound
13906690 5 3157 1856 +1301 everstake 0x850b00e0... BloXroute Max Profit
13902943 0 3059 1759 +1300 0x8db2a99d... Flashbots
13905470 6 3174 1876 +1298 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13904313 5 3154 1856 +1298 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13905082 10 3249 1953 +1296 nethermind_lido 0x850b00e0... BloXroute Max Profit
13906275 12 3287 1992 +1295 ether.fi 0xb67eaa5e... EthGas
13904443 5 3151 1856 +1295 everstake 0x857b0038... Ultra Sound
13905522 0 3053 1759 +1294 everstake 0x850b00e0... Flashbots
13903176 1 3071 1779 +1292 0xb7c5c39a... BloXroute Max Profit
13903377 7 3187 1895 +1292 p2porg 0xb67eaa5e... BloXroute Regulated
13901565 0 3051 1759 +1292 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13901553 5 3148 1856 +1292 whale_0x8ebd 0x823e0146... Ultra Sound
13906027 0 3049 1759 +1290 kraken 0x82c466b9... EthGas
13900590 0 3049 1759 +1290 ether.fi 0x8527d16c... Ultra Sound
13905875 0 3049 1759 +1290 gateway.fmas_lido 0x8527d16c... Ultra Sound
13905718 6 3164 1876 +1288 coinbase 0xb26f9666... BloXroute Max Profit
13905333 0 3047 1759 +1288 p2porg 0x88857150... Ultra Sound
13903177 0 3047 1759 +1288 kiln 0x852b0070... Aestus
13906258 4 3124 1837 +1287 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13905337 9 3220 1934 +1286 kraken 0xb26f9666... EthGas
13903602 5 3141 1856 +1285 whale_0x8ebd 0x88857150... Ultra Sound
13904938 2 3082 1798 +1284 everstake 0x856b0004... Agnostic Gnosis
13900897 1 3062 1779 +1283 p2porg 0x856b0004... Aestus
13902233 1 3062 1779 +1283 kiln 0xb67eaa5e... BloXroute Regulated
13900415 0 3041 1759 +1282 kiln 0x88a53ec4... BloXroute Regulated
13904184 1 3060 1779 +1281 kiln Local Local
13899766 0 3040 1759 +1281 everstake 0x88857150... Ultra Sound
13905656 1 3059 1779 +1280 csm_operator148_lido 0xb26f9666... Titan Relay
13904163 6 3156 1876 +1280 coinbase 0xb67eaa5e... BloXroute Regulated
13900209 0 3038 1759 +1279 everstake 0x8db2a99d... Flashbots
13904111 0 3037 1759 +1278 stakefish_lido 0x852b0070... Aestus
13902286 0 3036 1759 +1277 figment 0x852b0070... Ultra Sound
13901194 7 3171 1895 +1276 gateway.fmas_lido 0x8db2a99d... Aestus
13903839 0 3035 1759 +1276 p2porg 0x852b0070... Agnostic Gnosis
13902205 0 3035 1759 +1276 ether.fi 0x8527d16c... Ultra Sound
13901725 0 3034 1759 +1275 whale_0x8ebd 0x852b0070... Agnostic Gnosis
13905686 5 3131 1856 +1275 p2porg 0x8527d16c... Ultra Sound
13901973 1 3053 1779 +1274 kiln 0xb67eaa5e... BloXroute Max Profit
13903836 3 3091 1818 +1273 everstake 0x88a53ec4... BloXroute Regulated
13901887 1 3052 1779 +1273 p2porg 0xb26f9666... BloXroute Max Profit
13905687 6 3149 1876 +1273 p2porg 0x856b0004... Aestus
13906218 5 3129 1856 +1273 kraken 0xb26f9666... EthGas
13903173 0 3031 1759 +1272 whale_0x8ebd 0x8527d16c... Ultra Sound
13906207 2 3068 1798 +1270 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13906794 0 3029 1759 +1270 everstake 0x852b0070... Agnostic Gnosis
13906778 4 3105 1837 +1268 everstake 0x85fb0503... BloXroute Max Profit
13904250 1 3046 1779 +1267 p2porg 0xb26f9666... BloXroute Max Profit
Total anomalies: 360

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