Mon, Mar 23, 2026

Propagation anomalies - 2026-03-23

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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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-23' AND slot_start_date_time < '2026-03-23'::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,181
MEV blocks: 6,660 (92.7%)
Local blocks: 521 (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 = 1802.3 + 14.50 × blob_count (R² = 0.009)
Residual σ = 628.1ms
Anomalies (>2σ slow): 361 (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
13957024 0 5494 1802 +3692 abyss_finance Local Local
13956480 0 5431 1802 +3629 upbit Local Local
13954176 0 4960 1802 +3158 upbit Local Local
13956584 0 4642 1802 +2840 rocketpool Local Local
13952127 0 4364 1802 +2562 solo_stakers Local Local
13953248 1 4257 1817 +2440 stakefish Local Local
13956244 1 4157 1817 +2340 whale_0x9212 0xb67eaa5e... Titan Relay
13954388 0 4123 1802 +2321 whale_0xba8f Local Local
13954248 0 4060 1802 +2258 whale_0x8ebd Local Local
13955104 0 4047 1802 +2245 blockdaemon_lido Local Local
13950880 0 4039 1802 +2237 kiln Local Local
13954036 0 4027 1802 +2225 blockdaemon Local Local
13956374 0 3970 1802 +2168 ether.fi 0xb7c5beef... EthGas
13956120 0 3890 1802 +2088 whale_0x8ebd 0x823e0146... Ultra Sound
13956745 0 3858 1802 +2056 nethermind_lido Local Local
13956233 0 3855 1802 +2053 whale_0x8ebd 0xb4ce6162... Ultra Sound
13956242 3 3887 1846 +2041 nethermind_lido 0xac23f8cc... Flashbots
13956639 4 3876 1860 +2016 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13953993 7 3896 1904 +1992 blockdaemon 0x8527d16c... Ultra Sound
13954528 1 3802 1817 +1985 solo_stakers 0xb26f9666... Titan Relay
13955237 1 3793 1817 +1976 whale_0x8ebd 0xb26f9666... Titan Relay
13954139 1 3756 1817 +1939 nethermind_lido 0x88857150... Ultra Sound
13954057 14 3916 2005 +1911 nethermind_lido 0x853b0078... Ultra Sound
13955998 8 3826 1918 +1908 whale_0x8ebd 0xb4ce6162... Ultra Sound
13954618 0 3709 1802 +1907 coinbase 0xb26f9666... Titan Relay
13954042 0 3700 1802 +1898 blockdaemon_lido 0xb67eaa5e... Titan Relay
13956736 0 3699 1802 +1897 blockdaemon 0x856b0004... Ultra Sound
13955920 2 3718 1831 +1887 whale_0x8ebd 0xb26f9666... Titan Relay
13950163 6 3765 1889 +1876 nethermind_lido 0xb26f9666... Aestus
13954831 1 3690 1817 +1873 blockdaemon_lido 0x88857150... Ultra Sound
13956928 1 3687 1817 +1870 blockdaemon 0x88a53ec4... BloXroute Regulated
13956381 0 3665 1802 +1863 blockdaemon_lido 0xb26f9666... Titan Relay
13954622 5 3731 1875 +1856 stader 0xb26f9666... Titan Relay
13956091 1 3673 1817 +1856 blockdaemon_lido 0x8527d16c... Ultra Sound
13956634 5 3730 1875 +1855 blockdaemon 0x88857150... Ultra Sound
13954837 3 3685 1846 +1839 coinbase 0xb26f9666... Titan Relay
13953683 16 3862 2034 +1828 dappnode Local Local
13954709 6 3715 1889 +1826 coinbase 0xb26f9666... Titan Relay
13956283 6 3693 1889 +1804 0xb26f9666... Titan Relay
13956140 9 3733 1933 +1800 blockdaemon_lido 0xb26f9666... Titan Relay
13956740 9 3724 1933 +1791 blockdaemon_lido 0x8527d16c... Ultra Sound
13956822 1 3606 1817 +1789 whale_0x8ebd 0xb26f9666... Titan Relay
13954453 8 3703 1918 +1785 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
13956428 0 3577 1802 +1775 blockdaemon 0xb26f9666... Titan Relay
13954351 5 3640 1875 +1765 kraken 0x82c466b9... EthGas
13954944 6 3646 1889 +1757 ether.fi 0x82c466b9... EthGas
13956243 0 3557 1802 +1755 stakefish_lido Local Local
13954577 0 3552 1802 +1750 everstake 0xb26f9666... Titan Relay
13952106 2 3577 1831 +1746 solo_stakers 0x856b0004... Aestus
13954605 15 3757 2020 +1737 stader 0x88857150... Ultra Sound
13954934 0 3534 1802 +1732 whale_0x8ebd 0x88857150... Ultra Sound
13957101 2 3550 1831 +1719 whale_0x8ebd 0x857b0038... Ultra Sound
13955359 3 3557 1846 +1711 whale_0x8ebd 0x8527d16c... Ultra Sound
13956954 1 3526 1817 +1709 blockdaemon 0x8527d16c... Ultra Sound
13954091 4 3569 1860 +1709 p2porg 0x8db2a99d... Ultra Sound
13956589 6 3595 1889 +1706 coinbase 0x823e0146... BloXroute Max Profit
13952128 6 3593 1889 +1704 allnodes_lido 0xb26f9666... Aestus
13954393 0 3506 1802 +1704 everstake 0xb26f9666... Titan Relay
13955745 1 3519 1817 +1702 everstake 0xb26f9666... Titan Relay
13956515 6 3587 1889 +1698 blockdaemon 0x88857150... Ultra Sound
13955141 1 3514 1817 +1697 everstake 0xb26f9666... Titan Relay
13955303 0 3494 1802 +1692 kiln 0xb26f9666... Titan Relay
13954845 7 3595 1904 +1691 p2porg 0x853b0078... Titan Relay
13951711 0 3493 1802 +1691 solo_stakers 0x823e0146... Aestus
13954490 0 3479 1802 +1677 everstake 0x8a850621... Titan Relay
13956528 1 3488 1817 +1671 blockdaemon 0x850b00e0... BloXroute Max Profit
13955181 0 3465 1802 +1663 everstake 0xb26f9666... Titan Relay
13955864 0 3465 1802 +1663 everstake 0xb26f9666... Titan Relay
13954965 1 3479 1817 +1662 everstake 0xb26f9666... Titan Relay
13951267 0 3459 1802 +1657 blockdaemon 0x8db2a99d... Ultra Sound
13955314 11 3594 1962 +1632 coinbase 0x855b00e6... BloXroute Max Profit
13954483 0 3407 1802 +1605 everstake 0xb26f9666... Titan Relay
13954421 0 3396 1802 +1594 coinbase 0x8a850621... Titan Relay
13956722 5 3468 1875 +1593 whale_0x8ebd 0xb4ce6162... Ultra Sound
13954320 11 3554 1962 +1592 stader 0x856b0004... Agnostic Gnosis
13954299 8 3508 1918 +1590 blockdaemon_lido 0x853b0078... Ultra Sound
13953944 1 3405 1817 +1588 stader 0x853b0078... Aestus
13957107 6 3466 1889 +1577 blockdaemon 0x823e0146... Ultra Sound
13956298 1 3388 1817 +1571 everstake 0xb26f9666... Titan Relay
13954857 1 3388 1817 +1571 ether.fi 0xb7c5beef... EthGas
13954614 5 3444 1875 +1569 nethermind_lido 0x8527d16c... Ultra Sound
13954603 0 3371 1802 +1569 blockdaemon_lido 0xb67eaa5e... Titan Relay
13955064 1 3385 1817 +1568 nethermind_lido 0xb26f9666... Aestus
13956333 5 3442 1875 +1567 everstake 0xb26f9666... Titan Relay
13954774 0 3369 1802 +1567 nethermind_lido 0xb26f9666... Aestus
13950590 0 3368 1802 +1566 nethermind_lido 0xb26f9666... Aestus
13954563 9 3497 1933 +1564 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13956968 5 3433 1875 +1558 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13955099 6 3447 1889 +1558 blockdaemon_lido 0x85fb0503... BloXroute Max Profit
13956481 0 3357 1802 +1555 kraken Local Local
13954214 3 3400 1846 +1554 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13952894 2 3384 1831 +1553 blockdaemon 0xb4ce6162... Ultra Sound
13954044 5 3425 1875 +1550 whale_0x8ebd 0xb4ce6162... Ultra Sound
13953358 1 3366 1817 +1549 whale_0x8ebd 0xb4ce6162... Ultra Sound
13956981 6 3436 1889 +1547 whale_0xdc8d 0x850b00e0... BloXroute Regulated
13955101 5 3418 1875 +1543 everstake 0xb26f9666... Titan Relay
13954711 0 3345 1802 +1543 kiln 0x8527d16c... Ultra Sound
13954754 6 3431 1889 +1542 coinbase 0xb4ce6162... Ultra Sound
13956000 0 3343 1802 +1541 abyss_finance 0x88510a78... Flashbots
13952814 0 3342 1802 +1540 blockdaemon 0x88a53ec4... BloXroute Max Profit
13955905 0 3338 1802 +1536 blockdaemon 0x855b00e6... BloXroute Max Profit
13954907 4 3395 1860 +1535 kraken 0x82c466b9... EthGas
13954348 11 3496 1962 +1534 blockdaemon 0x8527d16c... Ultra Sound
13956869 6 3419 1889 +1530 luno 0x8527d16c... Ultra Sound
13951817 1 3345 1817 +1528 nethermind_lido 0x853b0078... Agnostic Gnosis
13952473 11 3488 1962 +1526 ether.fi Local Local
13955102 5 3396 1875 +1521 whale_0x8ebd 0x88857150... Ultra Sound
13955604 5 3395 1875 +1520 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13956226 0 3322 1802 +1520 blockdaemon 0x88a53ec4... BloXroute Regulated
13951845 2 3350 1831 +1519 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13954570 2 3348 1831 +1517 ether.fi 0x853b0078... Ultra Sound
13951886 1 3333 1817 +1516 0xb26f9666... Titan Relay
13951475 6 3404 1889 +1515 blockdaemon_lido 0xb67eaa5e... Titan Relay
13955610 0 3313 1802 +1511 whale_0xdc8d 0xb26f9666... Titan Relay
13956656 5 3383 1875 +1508 blockdaemon_lido 0x8527d16c... Ultra Sound
13953934 0 3307 1802 +1505 kiln 0xb26f9666... Aestus
13956902 5 3379 1875 +1504 everstake 0xb26f9666... Titan Relay
13950742 0 3306 1802 +1504 blockdaemon 0x88857150... Ultra Sound
13956785 0 3305 1802 +1503 blockdaemon 0x88a53ec4... BloXroute Regulated
13955187 5 3377 1875 +1502 coinbase 0xb67eaa5e... BloXroute Max Profit
13950849 2 3331 1831 +1500 stader 0xac23f8cc... Flashbots
13953023 0 3302 1802 +1500 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13950644 3 3345 1846 +1499 blockdaemon 0x850b00e0... BloXroute Max Profit
13951614 6 3387 1889 +1498 revolut 0x850b00e0... BloXroute Regulated
13953262 4 3358 1860 +1498 whale_0xdc8d 0x8527d16c... Ultra Sound
13956447 9 3430 1933 +1497 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13954428 10 3442 1947 +1495 luno 0x82c466b9... Ultra Sound
13955847 7 3397 1904 +1493 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13956019 5 3365 1875 +1490 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13952559 1 3307 1817 +1490 blockdaemon 0xb26f9666... Titan Relay
13954804 0 3292 1802 +1490 0x851b00b1... BloXroute Max Profit
13954018 9 3422 1933 +1489 p2porg 0x88a53ec4... Aestus
13950445 0 3291 1802 +1489 blockdaemon 0x88857150... Ultra Sound
13955880 0 3290 1802 +1488 coinbase 0xb4ce6162... Ultra Sound
13955834 0 3289 1802 +1487 p2porg 0xb67eaa5e... Aestus
13952256 0 3286 1802 +1484 p2porg 0xb26f9666... BloXroute Regulated
13954043 10 3428 1947 +1481 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13955262 0 3279 1802 +1477 blockdaemon_lido 0x856b0004... Ultra Sound
13956728 3 3322 1846 +1476 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13953972 3 3321 1846 +1475 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13954541 4 3334 1860 +1474 everstake 0x850b00e0... BloXroute Max Profit
13953467 0 3274 1802 +1472 blockdaemon 0xb4ce6162... Ultra Sound
13952563 3 3314 1846 +1468 blockdaemon_lido 0xb26f9666... Titan Relay
13951192 6 3355 1889 +1466 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13953110 10 3412 1947 +1465 0xb26f9666... Titan Relay
13956776 1 3280 1817 +1463 blockdaemon_lido 0x853b0078... BloXroute Max Profit
13953771 1 3278 1817 +1461 0x8527d16c... Ultra Sound
13956571 0 3263 1802 +1461 blockdaemon_lido 0xb67eaa5e... Titan Relay
13952025 9 3389 1933 +1456 blockdaemon 0x850b00e0... BloXroute Regulated
13954676 4 3316 1860 +1456 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13954583 11 3416 1962 +1454 nethermind_lido 0xb26f9666... Aestus
13955040 9 3386 1933 +1453 kraken 0x8db2a99d... Ultra Sound
13950310 5 3328 1875 +1453 whale_0xdc8d 0x850b00e0... BloXroute Regulated
13954121 0 3255 1802 +1453 staked.us 0xa412c4b8... Ultra Sound
13955988 0 3253 1802 +1451 whale_0x8ebd 0xba003e46... Flashbots
13957098 0 3253 1802 +1451 nethermind_lido 0xac23f8cc... Flashbots
13955680 1 3263 1817 +1446 nethermind_lido 0x8db2a99d... BloXroute Max Profit
13952867 20 3538 2092 +1446 figment 0x855b00e6... Ultra Sound
13951229 5 3317 1875 +1442 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13950509 2 3273 1831 +1442 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
13956757 1 3256 1817 +1439 everstake 0xb67eaa5e... BloXroute Max Profit
13952702 0 3241 1802 +1439 whale_0xdc8d 0xb67eaa5e... BloXroute Max Profit
13953528 0 3240 1802 +1438 stakingfacilities_lido 0x83d6a6ab... BloXroute Max Profit
13955267 0 3240 1802 +1438 whale_0xdc8d 0xb67eaa5e... BloXroute Max Profit
13952305 5 3311 1875 +1436 blockdaemon_lido 0xb67eaa5e... Titan Relay
13956680 1 3253 1817 +1436 blockdaemon 0x823e0146... Ultra Sound
13956344 5 3308 1875 +1433 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13954016 13 3422 1991 +1431 coinbase 0x8db2a99d... BloXroute Max Profit
13955819 0 3233 1802 +1431 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13951785 6 3319 1889 +1430 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13955278 0 3231 1802 +1429 0xb67eaa5e... BloXroute Max Profit
13955208 5 3303 1875 +1428 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13952904 8 3346 1918 +1428 revolut 0xb67eaa5e... BloXroute Regulated
13954425 5 3302 1875 +1427 blockdaemon 0xb67eaa5e... BloXroute Regulated
13953517 9 3358 1933 +1425 blockdaemon_lido 0x88857150... Ultra Sound
13950200 1 3242 1817 +1425 whale_0xdc8d 0x8527d16c... Ultra Sound
13952312 0 3227 1802 +1425 blockdaemon_lido 0xb67eaa5e... Titan Relay
13955339 6 3312 1889 +1423 whale_0x8ebd 0x8527d16c... Ultra Sound
13950521 6 3311 1889 +1422 p2porg 0x850b00e0... BloXroute Regulated
13951396 5 3295 1875 +1420 everstake 0xb67eaa5e... BloXroute Regulated
13955025 4 3280 1860 +1420 nethermind_lido 0x853b0078... Agnostic Gnosis
13954702 11 3379 1962 +1417 whale_0x8ebd 0x853b0078... Aestus
13952698 5 3290 1875 +1415 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13955782 1 3230 1817 +1413 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13951908 2 3242 1831 +1411 p2porg 0x850b00e0... Flashbots
13955882 15 3430 2020 +1410 everstake 0x88857150... Ultra Sound
13955840 11 3372 1962 +1410 figment 0x823e0146... Aestus
13956078 7 3314 1904 +1410 p2porg 0x850b00e0... BloXroute Regulated
13954371 5 3285 1875 +1410 p2porg 0x8db2a99d... Flashbots
13954875 2 3241 1831 +1410 stakingfacilities_lido 0x856b0004... BloXroute Max Profit
13950201 6 3297 1889 +1408 0x853b0078... Ultra Sound
13957097 5 3282 1875 +1407 revolut 0x88857150... Ultra Sound
13952561 8 3325 1918 +1407 coinbase 0x93b11bec... Flashbots
13953048 9 3339 1933 +1406 blockdaemon_lido 0x8527d16c... Ultra Sound
13952012 0 3203 1802 +1401 everstake 0xb67eaa5e... Aestus
13954661 1 3217 1817 +1400 everstake 0x855b00e6... BloXroute Max Profit
13955343 4 3260 1860 +1400 whale_0x8ebd 0x823e0146... Ultra Sound
13953214 0 3202 1802 +1400 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13953003 1 3216 1817 +1399 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13955795 10 3346 1947 +1399 p2porg 0xb67eaa5e... Aestus
13955770 6 3287 1889 +1398 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13951674 5 3271 1875 +1396 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13954430 3 3242 1846 +1396 coinbase 0x853b0078... Agnostic Gnosis
13955216 5 3269 1875 +1394 coinbase 0x88a53ec4... BloXroute Max Profit
13954796 6 3282 1889 +1393 stakingfacilities_lido 0x853b0078... BloXroute Max Profit
13950904 0 3194 1802 +1392 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13953687 8 3308 1918 +1390 whale_0xdc8d 0xb26f9666... Titan Relay
13952541 3 3235 1846 +1389 gateway.fmas_lido 0x8db2a99d... BloXroute Max Profit
13950108 7 3292 1904 +1388 p2porg 0x8527d16c... Ultra Sound
13955823 6 3277 1889 +1388 coinbase 0x8527d16c... Ultra Sound
13953133 0 3190 1802 +1388 nethermind_lido 0x823e0146... Ultra Sound
13956836 5 3262 1875 +1387 0x88857150... Ultra Sound
13950441 7 3290 1904 +1386 p2porg 0x850b00e0... BloXroute Regulated
13952517 6 3275 1889 +1386 p2porg 0x850b00e0... BloXroute Regulated
13950728 0 3188 1802 +1386 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13953819 5 3259 1875 +1384 p2porg 0xb7c5beef... BloXroute Regulated
13953156 5 3259 1875 +1384 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13956167 12 3359 1976 +1383 renzo_protocol 0x857b0038... Ultra Sound
13954160 0 3185 1802 +1383 p2porg 0xb67eaa5e... BloXroute Regulated
13951487 1 3199 1817 +1382 whale_0x8ebd 0x8db2a99d... BloXroute Max Profit
13950472 1 3197 1817 +1380 kiln 0x8db2a99d... Flashbots
13957137 1 3197 1817 +1380 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13951528 0 3182 1802 +1380 blockdaemon_lido 0x88857150... Ultra Sound
13954095 8 3295 1918 +1377 blockdaemon_lido 0x8527d16c... Ultra Sound
13957049 0 3178 1802 +1376 nethermind_lido 0x83d6a6ab... BloXroute Max Profit
13954601 5 3250 1875 +1375 stakingfacilities_lido 0xb26f9666... Aestus
13953642 15 3391 2020 +1371 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13956299 0 3172 1802 +1370 everstake 0x8527d16c... Ultra Sound
13951685 0 3171 1802 +1369 nethermind_lido 0x823e0146... BloXroute Max Profit
13954578 1 3185 1817 +1368 stakingfacilities_lido 0x823e0146... Flashbots
13954142 6 3256 1889 +1367 piertwo 0x82c466b9... Flashbots
13954339 6 3256 1889 +1367 nethermind_lido 0x850b00e0... BloXroute Max Profit
13950677 0 3169 1802 +1367 gateway.fmas_lido 0x851b00b1... BloXroute Max Profit
13955725 0 3169 1802 +1367 0xb67eaa5e... BloXroute Max Profit
13951788 11 3328 1962 +1366 whale_0x8ebd 0xb4ce6162... Ultra Sound
13956609 1 3181 1817 +1364 p2porg 0x8527d16c... Ultra Sound
13950921 2 3195 1831 +1364 whale_0x23be 0x850b00e0... BloXroute Regulated
13954544 1 3180 1817 +1363 coinbase 0x856b0004... Agnostic Gnosis
13950402 0 3165 1802 +1363 bitstamp 0xb67eaa5e... BloXroute Max Profit
13952645 5 3237 1875 +1362 stader 0xb26f9666... Titan Relay
13952680 1 3179 1817 +1362 gateway.fmas_lido 0xb26f9666... Titan Relay
13954961 1 3179 1817 +1362 p2porg 0x853b0078... BloXroute Max Profit
13950410 3 3207 1846 +1361 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13956632 8 3279 1918 +1361 p2porg 0x856b0004... BloXroute Max Profit
13955291 3 3206 1846 +1360 0x8db2a99d... BloXroute Max Profit
13952076 1 3177 1817 +1360 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13951307 0 3162 1802 +1360 p2porg 0x850b00e0... BloXroute Regulated
13955293 0 3161 1802 +1359 kiln 0x8db2a99d... BloXroute Max Profit
13951394 8 3276 1918 +1358 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13955778 5 3232 1875 +1357 p2porg 0x853b0078... BloXroute Regulated
13955797 1 3170 1817 +1353 coinbase 0x856b0004... Agnostic Gnosis
13956529 1 3170 1817 +1353 nethermind_lido 0x88857150... Ultra Sound
13956027 16 3387 2034 +1353 everstake 0xb26f9666... Titan Relay
13956616 0 3155 1802 +1353 coinbase 0x88a53ec4... Aestus
13954873 0 3154 1802 +1352 gateway.fmas_lido 0x853b0078... BloXroute Max Profit
13955815 5 3226 1875 +1351 figment 0x850b00e0... BloXroute Max Profit
13952203 0 3150 1802 +1348 whale_0x8ebd 0xb4ce6162... Ultra Sound
13954538 5 3221 1875 +1346 everstake 0x8527d16c... Ultra Sound
13955424 1 3162 1817 +1345 solo_stakers 0x823e0146... Flashbots
13955221 0 3146 1802 +1344 p2porg 0xb26f9666... Titan Relay
13957160 0 3144 1802 +1342 gateway.fmas_lido 0x8527d16c... Ultra Sound
13955384 5 3216 1875 +1341 kiln 0x8db2a99d... BloXroute Max Profit
13955094 5 3216 1875 +1341 coinbase 0x856b0004... BloXroute Max Profit
13955084 1 3156 1817 +1339 everstake 0x853b0078... BloXroute Max Profit
13956586 0 3141 1802 +1339 gateway.fmas_lido 0x8db2a99d... Flashbots
13956223 5 3209 1875 +1334 everstake 0xb26f9666... Aestus
13956520 0 3136 1802 +1334 coinbase 0xb4ce6162... Ultra Sound
13951851 7 3234 1904 +1330 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13954270 1 3145 1817 +1328 stakingfacilities_lido 0x88857150... Ultra Sound
13951563 2 3159 1831 +1328 whale_0x8ebd 0x853b0078... Titan Relay
13952632 17 3376 2049 +1327 blockdaemon 0xb67eaa5e... Ultra Sound
13954589 4 3187 1860 +1327 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13951531 0 3128 1802 +1326 coinbase 0xb67eaa5e... BloXroute Max Profit
13956007 0 3127 1802 +1325 p2porg 0x850b00e0... BloXroute Regulated
13951434 3 3169 1846 +1323 kiln 0x853b0078... Aestus
13954748 8 3241 1918 +1323 kiln 0x8db2a99d... Aestus
13953570 7 3226 1904 +1322 p2porg 0x850b00e0... BloXroute Regulated
13951182 6 3211 1889 +1322 p2porg 0x855b00e6... BloXroute Max Profit
13953138 0 3124 1802 +1322 revolut 0x8527d16c... Ultra Sound
13955358 5 3195 1875 +1320 everstake 0x853b0078... Agnostic Gnosis
13953815 8 3238 1918 +1320 whale_0x8ebd 0xac23f8cc... Ultra Sound
13955813 0 3121 1802 +1319 everstake 0xb67eaa5e... BloXroute Max Profit
13951486 8 3236 1918 +1318 kiln 0x88a53ec4... BloXroute Regulated
13955721 4 3178 1860 +1318 whale_0x8ebd 0x856b0004... BloXroute Max Profit
13956066 1 3134 1817 +1317 p2porg 0xb26f9666... BloXroute Max Profit
13955082 4 3177 1860 +1317 coinbase 0x853b0078... BloXroute Max Profit
13952794 5 3191 1875 +1316 blockdaemon_lido 0x823e0146... BloXroute Max Profit
13954399 9 3247 1933 +1314 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13955693 10 3261 1947 +1314 everstake 0xb67eaa5e... BloXroute Max Profit
13955302 0 3116 1802 +1314 p2porg 0x853b0078... BloXroute Regulated
13950497 0 3116 1802 +1314 stakingfacilities_lido 0x853b0078... Agnostic Gnosis
13952629 0 3115 1802 +1313 p2porg 0xb26f9666... Titan Relay
13955123 10 3259 1947 +1312 p2porg 0x853b0078... BloXroute Max Profit
13954315 6 3201 1889 +1312 p2porg 0xb26f9666... BloXroute Max Profit
13954402 6 3199 1889 +1310 abyss_finance 0x856b0004... Agnostic Gnosis
13952313 4 3170 1860 +1310 gateway.fmas_lido 0xac23f8cc... BloXroute Max Profit
13955841 5 3184 1875 +1309 everstake 0xb67eaa5e... BloXroute Max Profit
13951342 5 3183 1875 +1308 gateway.fmas_lido 0x8db2a99d... Ultra Sound
13954579 5 3183 1875 +1308 everstake 0x853b0078... Agnostic Gnosis
13950010 1 3124 1817 +1307 solo_stakers Local Local
13956808 2 3137 1831 +1306 coinbase 0xb26f9666... BloXroute Regulated
13951736 0 3108 1802 +1306 figment 0xb26f9666... Titan Relay
13956069 6 3193 1889 +1304 bitstamp 0x8527d16c... Ultra Sound
13956114 5 3178 1875 +1303 kiln 0x8db2a99d... Flashbots
13955506 4 3162 1860 +1302 p2porg 0x853b0078... BloXroute Regulated
13953041 2 3133 1831 +1302 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13956538 5 3176 1875 +1301 kiln 0x88a53ec4... BloXroute Regulated
13954715 0 3103 1802 +1301 p2porg 0x850b00e0... BloXroute Regulated
13955493 3 3146 1846 +1300 everstake 0xb67eaa5e... Aestus
13952187 0 3100 1802 +1298 kiln 0x83bee517... Flashbots
13954092 6 3186 1889 +1297 coinbase 0x8db2a99d... Ultra Sound
13956056 1 3113 1817 +1296 0x8db2a99d... BloXroute Max Profit
13954288 1 3112 1817 +1295 nethermind_lido 0x855b00e6... BloXroute Max Profit
13952729 10 3242 1947 +1295 0x855b00e6... BloXroute Max Profit
13952828 2 3126 1831 +1295 everstake 0x88a53ec4... Aestus
13956165 7 3198 1904 +1294 everstake 0xb26f9666... Aestus
13955403 6 3183 1889 +1294 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13954816 6 3181 1889 +1292 everstake 0xb26f9666... Aestus
13956703 6 3180 1889 +1291 everstake 0x850b00e0... BloXroute Max Profit
13951994 1 3107 1817 +1290 everstake 0xb67eaa5e... Aestus
13955706 0 3092 1802 +1290 p2porg 0x823e0146... BloXroute Regulated
13955479 0 3091 1802 +1289 p2porg 0xb67eaa5e... BloXroute Regulated
13954265 0 3091 1802 +1289 p2porg 0xba003e46... BloXroute Max Profit
13952975 5 3163 1875 +1288 p2porg 0x850b00e0... Flashbots
13952101 5 3163 1875 +1288 nethermind_lido 0x856b0004... Agnostic Gnosis
13952988 0 3090 1802 +1288 gateway.fmas_lido 0x8527d16c... Ultra Sound
13952446 1 3104 1817 +1287 whale_0x8ebd 0x856b0004... BloXroute Max Profit
13952175 1 3101 1817 +1284 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13954064 6 3173 1889 +1284 everstake 0x88a53ec4... BloXroute Max Profit
13956664 2 3115 1831 +1284 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13953191 0 3086 1802 +1284 whale_0x8ebd 0x85fb0503... BloXroute Max Profit
13954513 0 3081 1802 +1279 everstake 0x88a53ec4... BloXroute Max Profit
13950336 1 3094 1817 +1277 nethermind_lido 0x85fb0503... BloXroute Max Profit
13952855 6 3166 1889 +1277 kiln 0xb67eaa5e... BloXroute Max Profit
13952335 0 3079 1802 +1277 gateway.fmas_lido 0x856b0004... Agnostic Gnosis
13955171 8 3193 1918 +1275 coinbase Local Local
13950723 0 3077 1802 +1275 whale_0x8ebd 0xb4ce6162... Ultra Sound
13954729 7 3178 1904 +1274 everstake 0xb26f9666... Aestus
13955227 10 3221 1947 +1274 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13956805 5 3148 1875 +1273 gateway.fmas_lido 0x8527d16c... Ultra Sound
13952766 0 3075 1802 +1273 whale_0x8ebd 0x88857150... Ultra Sound
13950381 0 3075 1802 +1273 p2porg 0xb26f9666... BloXroute Max Profit
13956615 0 3075 1802 +1273 coinbase Local Local
13955962 0 3074 1802 +1272 coinbase 0x856b0004... BloXroute Max Profit
13956649 5 3146 1875 +1271 p2porg 0x8527d16c... Ultra Sound
13956516 1 3088 1817 +1271 p2porg 0x8527d16c... Ultra Sound
13952873 6 3158 1889 +1269 p2porg 0x88857150... Ultra Sound
13955934 5 3143 1875 +1268 everstake 0x856b0004... BloXroute Max Profit
13957190 0 3069 1802 +1267 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13952839 1 3083 1817 +1266 whale_0xedc6 0x856b0004... Aestus
13956874 2 3096 1831 +1265 stakingfacilities_lido 0x823e0146... Flashbots
13954626 5 3137 1875 +1262 blockscape_lido 0x88a53ec4... BloXroute Max Profit
13953258 1 3079 1817 +1262 whale_0xedc6 0x853b0078... Ultra Sound
13956232 3 3107 1846 +1261 everstake 0xb26f9666... Aestus
13951919 6 3150 1889 +1261 kraken 0xb67eaa5e... BloXroute Regulated
13952228 0 3063 1802 +1261 blockdaemon_lido 0xb26f9666... Titan Relay
13956510 0 3063 1802 +1261 gateway.fmas_lido 0x851b00b1... BloXroute Max Profit
13956840 7 3163 1904 +1259 coinbase 0x8527d16c... Ultra Sound
13950466 0 3061 1802 +1259 everstake 0x88a53ec4... BloXroute Regulated
13956636 5 3133 1875 +1258 figment 0xac23f8cc... Ultra Sound
13953331 0 3060 1802 +1258 whale_0x8ebd 0xb4ce6162... Ultra Sound
Total anomalies: 361

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