Sat, Mar 28, 2026 Latest

Propagation anomalies

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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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-28' AND slot_start_date_time < '2026-03-28'::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,190
MEV blocks: 6,624 (92.1%)
Local blocks: 566 (7.9%)

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.9 + 13.32 × blob_count (R² = 0.006)
Residual σ = 597.5ms
Anomalies (>2σ slow): 490 (6.8%)
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
13992278 0 7183 1713 +5470 solo_stakers Local Local
13986480 0 5641 1713 +3928 solo_stakers Local Local
13993056 0 4819 1713 +3106 upbit Local Local
13991072 4 4842 1766 +3076 upbit Local Local
13988896 0 4650 1713 +2937 upbit Local Local
13990602 0 4601 1713 +2888 ether.fi Local Local
13986240 0 4509 1713 +2796 upbit Local Local
13988704 0 4032 1713 +2319 blockdaemon_lido Local Local
13988352 5 3831 1779 +2052 solo_stakers Local Local
13987008 4 3774 1766 +2008 stakefish 0x8527d16c... Ultra Sound
13989846 1 3701 1726 +1975 whale_0x8ebd 0x857b0038... Ultra Sound
13991392 1 3656 1726 +1930 blockdaemon 0x823e0146... Ultra Sound
13987897 0 3633 1713 +1920 whale_0x3152 0xac23f8cc... Aestus
13988256 5 3629 1779 +1850 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
13990225 7 3639 1806 +1833 0x856b0004... Aestus
13987546 0 3519 1713 +1806 blockdaemon 0x88857150... Ultra Sound
13988674 10 3641 1846 +1795 rocketpool 0x88857150... Ultra Sound
13991380 14 3649 1899 +1750 ether.fi 0x8db2a99d... Aestus
13988151 0 3448 1713 +1735 ether.fi Local Local
13989622 0 3445 1713 +1732 blockdaemon_lido 0xb67eaa5e... Titan Relay
13990464 0 3445 1713 +1732 blockdaemon 0x88a53ec4... BloXroute Max Profit
13991296 2 3468 1740 +1728 figment 0x855b00e6... Ultra Sound
13989062 2 3467 1740 +1727 nethermind_lido 0x8527d16c... Ultra Sound
13988992 5 3503 1779 +1724 gateway.fmas_lido 0x8db2a99d... BloXroute Max Profit
13989849 12 3596 1873 +1723 nethermind_lido 0x856b0004... Agnostic Gnosis
13988514 0 3393 1713 +1680 nethermind_lido 0x88857150... Ultra Sound
13989348 5 3459 1779 +1680 lido 0x8527d16c... Ultra Sound
13986614 5 3448 1779 +1669 nethermind_lido 0xb26f9666... Aestus
13988498 5 3445 1779 +1666 blockdaemon 0x88a53ec4... BloXroute Max Profit
13987299 0 3378 1713 +1665 nethermind_lido 0xb26f9666... Aestus
13990606 5 3442 1779 +1663 whale_0x8ebd 0x88857150... Ultra Sound
13989215 8 3465 1819 +1646 nethermind_lido 0x88857150... Ultra Sound
13986050 0 3354 1713 +1641 blockdaemon 0x850b00e0... BloXroute Regulated
13990078 5 3418 1779 +1639 blockdaemon 0x855b00e6... BloXroute Max Profit
13992339 2 3375 1740 +1635 nethermind_lido 0xb26f9666... Aestus
13986842 1 3359 1726 +1633 nethermind_lido 0xb26f9666... Aestus
13990600 0 3344 1713 +1631 everstake 0xb26f9666... Aestus
13988510 0 3338 1713 +1625 ether.fi 0x853b0078... BloXroute Max Profit
13991811 2 3364 1740 +1624 blockdaemon 0x853b0078... Ultra Sound
13991631 14 3523 1899 +1624 ether.fi 0x850b00e0... BloXroute Max Profit
13986007 5 3402 1779 +1623 nethermind_lido 0x8db2a99d... Ultra Sound
13990395 1 3342 1726 +1616 blockdaemon 0x88857150... Ultra Sound
13987020 3 3366 1753 +1613 blockdaemon 0x8a850621... Titan Relay
13992328 5 3382 1779 +1603 nethermind_lido 0x850b00e0... BloXroute Max Profit
13987998 5 3380 1779 +1601 blockdaemon 0x850b00e0... BloXroute Regulated
13992300 7 3404 1806 +1598 nethermind_lido 0x856b0004... Aestus
13992461 1 3323 1726 +1597 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13990950 4 3362 1766 +1596 nethermind_lido 0x853b0078... Agnostic Gnosis
13986877 1 3319 1726 +1593 nethermind_lido 0xb26f9666... Aestus
13986112 1 3317 1726 +1591 p2porg 0x856b0004... BloXroute Max Profit
13989771 1 3316 1726 +1590 0xb26f9666... Titan Relay
13992043 2 3329 1740 +1589 blockdaemon_lido 0x856b0004... Ultra Sound
13992844 0 3301 1713 +1588 luno 0xb26f9666... Titan Relay
13988866 9 3418 1833 +1585 nethermind_lido 0x8527d16c... Ultra Sound
13989130 0 3293 1713 +1580 whale_0xdc8d 0xb26f9666... Titan Relay
13992099 5 3354 1779 +1575 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13987759 1 3300 1726 +1574 blockdaemon 0x8527d16c... Ultra Sound
13987355 9 3406 1833 +1573 ether.fi 0xb26f9666... Titan Relay
13988497 0 3283 1713 +1570 whale_0x8ebd 0x8527d16c... Ultra Sound
13989488 1 3296 1726 +1570 whale_0x8ebd 0x857b0038... Ultra Sound
13987218 2 3309 1740 +1569 luno 0x88a53ec4... BloXroute Regulated
13990462 5 3347 1779 +1568 blockdaemon 0x8527d16c... Ultra Sound
13986333 0 3280 1713 +1567 stader 0xb26f9666... Titan Relay
13992620 0 3277 1713 +1564 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13992669 1 3281 1726 +1555 whale_0xdc8d 0xb26f9666... Titan Relay
13991545 1 3274 1726 +1548 blockdaemon_lido 0x8db2a99d... Ultra Sound
13992936 0 3258 1713 +1545 0xb26f9666... Titan Relay
13991831 11 3403 1859 +1544 blockdaemon 0x8a850621... Titan Relay
13987432 6 3336 1793 +1543 blockdaemon 0x88857150... Ultra Sound
13989564 2 3281 1740 +1541 whale_0x8ebd 0x8527d16c... Ultra Sound
13993017 6 3330 1793 +1537 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13991096 8 3356 1819 +1537 whale_0x8ebd 0xac23f8cc... BloXroute Max Profit
13987439 5 3316 1779 +1537 luno 0xb26f9666... Titan Relay
13988280 4 3301 1766 +1535 blockdaemon 0x8527d16c... Ultra Sound
13987454 4 3301 1766 +1535 0xb26f9666... Titan Relay
13987946 4 3300 1766 +1534 blockdaemon 0x88857150... Ultra Sound
13992350 2 3270 1740 +1530 blockdaemon_lido 0x8527d16c... Ultra Sound
13986861 2 3268 1740 +1528 blockdaemon_lido 0x88857150... Ultra Sound
13986683 0 3240 1713 +1527 whale_0xdc8d 0xb26f9666... Titan Relay
13988138 0 3236 1713 +1523 luno 0x8527d16c... Ultra Sound
13990177 0 3232 1713 +1519 revolut 0xb26f9666... Titan Relay
13991401 0 3231 1713 +1518 blockdaemon 0x88857150... Ultra Sound
13987053 5 3295 1779 +1516 blockdaemon_lido 0x8527d16c... Ultra Sound
13990539 5 3292 1779 +1513 whale_0xdc8d 0xb26f9666... Titan Relay
13988692 0 3223 1713 +1510 figment 0x8527d16c... Ultra Sound
13989793 8 3326 1819 +1507 luno 0x8527d16c... Ultra Sound
13986085 5 3284 1779 +1505 blockdaemon_lido 0xb26f9666... Titan Relay
13987721 4 3269 1766 +1503 whale_0xdc8d 0xb26f9666... Titan Relay
13989222 1 3229 1726 +1503 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13987863 5 3279 1779 +1500 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13987798 0 3212 1713 +1499 whale_0x8ebd 0x8527d16c... Ultra Sound
13990993 3 3251 1753 +1498 whale_0x23be 0x93b11bec... Flashbots
13991498 11 3356 1859 +1497 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13991633 1 3222 1726 +1496 solo_stakers Local Local
13989178 1 3215 1726 +1489 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13988365 9 3319 1833 +1486 blockdaemon 0x8527d16c... Ultra Sound
13987520 0 3199 1713 +1486 p2porg 0xb26f9666... BloXroute Max Profit
13986241 10 3332 1846 +1486 myetherwallet Local Local
13990366 8 3303 1819 +1484 blockdaemon 0x8527d16c... Ultra Sound
13988851 5 3262 1779 +1483 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13990779 0 3194 1713 +1481 bitstamp 0xb67eaa5e... BloXroute Max Profit
13991202 12 3353 1873 +1480 luno 0xb26f9666... Titan Relay
13987695 1 3205 1726 +1479 revolut 0xb26f9666... Titan Relay
13990156 2 3218 1740 +1478 revolut 0x8527d16c... Ultra Sound
13988865 2 3214 1740 +1474 whale_0x9212 0x850b00e0... BloXroute Max Profit
13987858 0 3187 1713 +1474 blockdaemon 0xb26f9666... Titan Relay
13986864 5 3253 1779 +1474 kiln Local Local
13991489 2 3213 1740 +1473 revolut 0x853b0078... Ultra Sound
13990392 5 3252 1779 +1473 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13990672 2 3211 1740 +1471 blockdaemon 0x853b0078... BloXroute Regulated
13986986 12 3343 1873 +1470 coinbase 0xac23f8cc... Agnostic Gnosis
13989435 6 3261 1793 +1468 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13988052 10 3314 1846 +1468 blockdaemon_lido 0xb26f9666... Titan Relay
13992238 5 3247 1779 +1468 blockdaemon 0xb4ce6162... Ultra Sound
13987680 1 3191 1726 +1465 p2porg 0xb26f9666... BloXroute Regulated
13986137 9 3295 1833 +1462 bitstamp 0x850b00e0... BloXroute Max Profit
13990659 4 3224 1766 +1458 blockdaemon 0x88a53ec4... BloXroute Max Profit
13990360 5 3236 1779 +1457 revolut 0xb26f9666... Titan Relay
13990095 5 3235 1779 +1456 blockdaemon_lido 0x823e0146... Ultra Sound
13991234 0 3167 1713 +1454 whale_0x8ebd 0x93b11bec... Flashbots
13988941 6 3245 1793 +1452 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13986174 6 3240 1793 +1447 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13991756 8 3265 1819 +1446 blockdaemon 0x88857150... Ultra Sound
13986340 2 3185 1740 +1445 kiln 0x8db2a99d... Flashbots
13986158 5 3223 1779 +1444 blockdaemon_lido 0x853b0078... BloXroute Max Profit
13987753 7 3247 1806 +1441 whale_0x8ebd 0x8db2a99d... Ultra Sound
13986546 5 3220 1779 +1441 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13986892 0 3151 1713 +1438 coinbase 0x823e0146... Aestus
13987458 1 3163 1726 +1437 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13988122 5 3216 1779 +1437 blockdaemon_lido 0x88a53ec4... BloXroute Max Profit
13987853 3 3188 1753 +1435 solo_stakers 0x8527d16c... Ultra Sound
13987360 6 3227 1793 +1434 ether.fi Local Local
13990242 1 3160 1726 +1434 everstake 0x856b0004... Aestus
13988426 2 3173 1740 +1433 whale_0xb6a5 0x8db2a99d... Aestus
13986343 10 3279 1846 +1433 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13993043 2 3170 1740 +1430 whale_0x8ebd 0x856b0004... Ultra Sound
13991368 4 3196 1766 +1430 gateway.fmas_lido 0x850b00e0... Flashbots
13987353 3 3182 1753 +1429 p2porg 0x855b00e6... BloXroute Max Profit
13988527 18 3381 1953 +1428 blockdaemon_lido 0x88857150... Ultra Sound
13986477 3 3181 1753 +1428 p2porg 0x850b00e0... BloXroute Regulated
13988637 2 3167 1740 +1427 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13991409 1 3153 1726 +1427 coinbase 0x93b11bec... Flashbots
13990819 0 3138 1713 +1425 p2porg 0xb26f9666... Titan Relay
13987078 0 3138 1713 +1425 kiln 0x823e0146... Flashbots
13989111 1 3151 1726 +1425 p2porg 0x850b00e0... BloXroute Regulated
13989627 7 3228 1806 +1422 whale_0x8ebd 0x88857150... Ultra Sound
13992827 0 3133 1713 +1420 gateway.fmas_lido 0x8527d16c... Ultra Sound
13992161 5 3196 1779 +1417 whale_0x8ebd 0x8527d16c... Ultra Sound
13990263 2 3156 1740 +1416 p2porg 0x855b00e6... BloXroute Max Profit
13992977 0 3129 1713 +1416 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13989746 3 3167 1753 +1414 blockdaemon 0x823e0146... Ultra Sound
13987302 5 3192 1779 +1413 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13993184 8 3230 1819 +1411 rocketpool Local Local
13988073 8 3230 1819 +1411 p2porg 0x855b00e6... Flashbots
13989201 3 3163 1753 +1410 gateway.fmas_lido 0x850b00e0... Flashbots
13989108 6 3197 1793 +1404 figment 0xb26f9666... BloXroute Max Profit
13993139 11 3263 1859 +1404 whale_0x8ebd 0x8527d16c... Ultra Sound
13991088 11 3263 1859 +1404 p2porg 0x850b00e0... BloXroute Regulated
13990696 1 3129 1726 +1403 gateway.fmas_lido 0x856b0004... Aestus
13991320 1 3129 1726 +1403 p2porg 0x850b00e0... Flashbots
13990850 5 3180 1779 +1401 blockdaemon 0x8527d16c... Ultra Sound
13989088 3 3153 1753 +1400 nethermind_lido 0x855b00e6... BloXroute Max Profit
13992767 0 3113 1713 +1400 whale_0x8ebd 0x8a850621... Titan Relay
13991486 5 3177 1779 +1398 kiln 0x823e0146... Flashbots
13991800 6 3190 1793 +1397 p2porg 0x855b00e6... BloXroute Max Profit
13993194 0 3110 1713 +1397 whale_0x8ebd 0x823e0146... Flashbots
13988680 7 3203 1806 +1397 p2porg 0x850b00e0... BloXroute Regulated
13988201 3 3149 1753 +1396 kiln 0x88a53ec4... BloXroute Max Profit
13987729 4 3162 1766 +1396 p2porg 0x8db2a99d... Ultra Sound
13992841 0 3108 1713 +1395 whale_0x8ebd 0x8a850621... Titan Relay
13991784 5 3174 1779 +1395 gateway.fmas_lido 0xb26f9666... Titan Relay
13987694 3 3146 1753 +1393 kiln 0xb67eaa5e... BloXroute Max Profit
13991775 21 3385 1993 +1392 solo_stakers Local Local
13987040 5 3171 1779 +1392 ether.fi 0x88a53ec4... BloXroute Regulated
13989758 10 3233 1846 +1387 blockdaemon 0xb26f9666... Titan Relay
13993086 5 3166 1779 +1387 p2porg 0x853b0078... BloXroute Regulated
13992826 1 3112 1726 +1386 everstake 0x850b00e0... BloXroute Max Profit
13987027 0 3098 1713 +1385 p2porg 0x85fb0503... BloXroute Regulated
13987936 0 3098 1713 +1385 whale_0xb730 Local Local
13989805 0 3097 1713 +1384 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13988214 5 3163 1779 +1384 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13989082 6 3176 1793 +1383 0x8db2a99d... Ultra Sound
13992091 5 3162 1779 +1383 coinbase 0x88a53ec4... BloXroute Max Profit
13991818 0 3095 1713 +1382 0xb26f9666... Titan Relay
13990728 0 3095 1713 +1382 p2porg 0x850b00e0... BloXroute Regulated
13993116 1 3107 1726 +1381 gateway.fmas_lido 0x88cd924c... Ultra Sound
13990220 11 3240 1859 +1381 coinbase 0xb67eaa5e... BloXroute Max Profit
13991892 0 3091 1713 +1378 p2porg 0x850b00e0... BloXroute Regulated
13989776 0 3088 1713 +1375 p2porg 0xb26f9666... Titan Relay
13987403 3 3125 1753 +1372 whale_0x8ebd 0xb26f9666... Titan Relay
13986263 1 3098 1726 +1372 0xb26f9666... Titan Relay
13989562 6 3163 1793 +1370 0x823e0146... Ultra Sound
13990551 1 3096 1726 +1370 kiln 0x8db2a99d... Flashbots
13989207 1 3096 1726 +1370 kiln 0x856b0004... Agnostic Gnosis
13987392 2 3109 1740 +1369 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13987305 3 3121 1753 +1368 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13992482 0 3079 1713 +1366 coinbase 0xb26f9666... Titan Relay
13991716 8 3184 1819 +1365 blockdaemon_lido Local Local
13991981 1 3090 1726 +1364 p2porg 0x853b0078... Aestus
13987715 9 3196 1833 +1363 everstake 0x853b0078... BloXroute Regulated
13989574 0 3075 1713 +1362 coinbase 0xb26f9666... Aestus
13987373 0 3073 1713 +1360 whale_0x8ebd 0xb26f9666... Titan Relay
13990996 9 3192 1833 +1359 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13989029 11 3217 1859 +1358 p2porg 0xb26f9666... Titan Relay
13991413 2 3096 1740 +1356 whale_0x8ebd 0xb26f9666... Titan Relay
13992248 2 3095 1740 +1355 p2porg 0xb26f9666... Titan Relay
13990407 1 3080 1726 +1354 0x8db2a99d... Ultra Sound
13991211 7 3159 1806 +1353 everstake 0x8db2a99d... Aestus
13992962 17 3291 1939 +1352 bitstamp 0x88a53ec4... BloXroute Max Profit
13989004 5 3130 1779 +1351 p2porg 0x88a53ec4... BloXroute Max Profit
13986033 7 3156 1806 +1350 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13990186 3 3101 1753 +1348 whale_0x8ebd 0xac23f8cc... Ultra Sound
13987400 0 3061 1713 +1348 p2porg 0x853b0078... Agnostic Gnosis
13986040 3 3100 1753 +1347 0x856b0004... BloXroute Max Profit
13989356 9 3179 1833 +1346 0x850b00e0... Flashbots
13987809 5 3125 1779 +1346 p2porg 0x88857150... Ultra Sound
13988203 7 3151 1806 +1345 whale_0x8ebd 0x88857150... Ultra Sound
13987120 0 3056 1713 +1343 everstake 0x8a850621... Titan Relay
13993015 5 3122 1779 +1343 coinbase 0x8db2a99d... Ultra Sound
13987914 3 3093 1753 +1340 kiln 0x850b00e0... BloXroute Max Profit
13992088 7 3146 1806 +1340 whale_0x8ebd 0x823e0146... Ultra Sound
13989809 6 3132 1793 +1339 gateway.fmas_lido 0x8527d16c... Ultra Sound
13986628 1 3065 1726 +1339 coinbase 0xb26f9666... Titan Relay
13987251 6 3130 1793 +1337 p2porg 0x8527d16c... Ultra Sound
13987760 8 3155 1819 +1336 p2porg 0x8527d16c... Ultra Sound
13989355 1 3061 1726 +1335 whale_0x8ebd 0xb26f9666... Titan Relay
13990008 1 3061 1726 +1335 p2porg 0x856b0004... Agnostic Gnosis
13988634 5 3113 1779 +1334 p2porg 0x8db2a99d... Ultra Sound
13987577 0 3046 1713 +1333 p2porg 0x805e28e6... BloXroute Regulated
13988774 5 3112 1779 +1333 kiln 0x88a53ec4... BloXroute Max Profit
13989400 1 3058 1726 +1332 everstake 0x8db2a99d... Flashbots
13991773 0 3044 1713 +1331 whale_0x8ebd 0xb26f9666... Titan Relay
13992629 5 3110 1779 +1331 p2porg 0x8527d16c... Ultra Sound
13986664 0 3043 1713 +1330 p2porg 0x85fb0503... BloXroute Regulated
13989528 5 3109 1779 +1330 whale_0xedc6 0x855b00e6... BloXroute Max Profit
13990091 0 3042 1713 +1329 kiln 0xb7c5e609... BloXroute Max Profit
13986759 2 3068 1740 +1328 p2porg 0x85fb0503... BloXroute Max Profit
13989476 0 3041 1713 +1328 p2porg 0xb26f9666... BloXroute Max Profit
13986644 1 3053 1726 +1327 0xb26f9666... BloXroute Max Profit
13992271 11 3186 1859 +1327 p2porg 0x8527d16c... Ultra Sound
13987855 2 3066 1740 +1326 p2porg 0x88857150... Ultra Sound
13987178 6 3118 1793 +1325 coinbase 0x8527d16c... Ultra Sound
13988579 5 3104 1779 +1325 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13987298 0 3037 1713 +1324 p2porg 0x88857150... Ultra Sound
13988880 0 3036 1713 +1323 whale_0xedc6 0x8527d16c... Ultra Sound
13990904 11 3182 1859 +1323 gateway.fmas_lido 0x88857150... Ultra Sound
13986963 5 3102 1779 +1323 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13989395 6 3115 1793 +1322 p2porg 0xb26f9666... Titan Relay
13986460 0 3035 1713 +1322 whale_0x8ebd 0x823e0146... Aestus
13992395 2 3061 1740 +1321 p2porg 0x8527d16c... Ultra Sound
13992055 2 3060 1740 +1320 p2porg 0x8527d16c... Ultra Sound
13988705 2 3059 1740 +1319 bitstamp 0x8db2a99d... Aestus
13986057 12 3192 1873 +1319 p2porg 0x8db2a99d... Ultra Sound
13991661 5 3098 1779 +1319 coinbase 0x8527d16c... Ultra Sound
13989924 6 3111 1793 +1318 gateway.fmas_lido 0x8527d16c... Ultra Sound
13990913 7 3124 1806 +1318 everstake 0xb4ce6162... Ultra Sound
13987907 6 3110 1793 +1317 p2porg 0x853b0078... Agnostic Gnosis
13986321 12 3189 1873 +1316 stader 0x850b00e0... BloXroute Max Profit
13990866 1 3039 1726 +1313 kiln 0x850b00e0... BloXroute Max Profit
13987669 0 3023 1713 +1310 p2porg 0xb67eaa5e... BloXroute Max Profit
13989331 5 3089 1779 +1310 abyss_finance 0x88a53ec4... Aestus
13989945 2 3049 1740 +1309 kiln 0x823e0146... Ultra Sound
13990501 3 3062 1753 +1309 p2porg 0x856b0004... Agnostic Gnosis
13987532 0 3021 1713 +1308 coinbase 0x88a53ec4... BloXroute Regulated
13992795 2 3047 1740 +1307 kiln 0x856b0004... Agnostic Gnosis
13987230 6 3100 1793 +1307 p2porg 0xb26f9666... BloXroute Max Profit
13990638 0 3020 1713 +1307 coinbase 0xb67eaa5e... BloXroute Max Profit
13986511 10 3153 1846 +1307 p2porg 0xb26f9666... Titan Relay
13987587 11 3165 1859 +1306 figment 0x8527d16c... Ultra Sound
13991345 5 3083 1779 +1304 kiln 0xb67eaa5e... BloXroute Regulated
13990978 1 3029 1726 +1303 p2porg 0xb26f9666... BloXroute Max Profit
13990613 2 3042 1740 +1302 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13987769 1 3028 1726 +1302 whale_0x7275 0xb26f9666... Titan Relay
13986955 5 3081 1779 +1302 p2porg 0x853b0078... Agnostic Gnosis
13992254 6 3094 1793 +1301 whale_0x8ebd 0x88857150... Ultra Sound
13986930 1 3027 1726 +1301 coinbase 0x860d4173... BloXroute Max Profit
13986472 0 3013 1713 +1300 kiln 0x88a53ec4... BloXroute Max Profit
13987077 4 3066 1766 +1300 whale_0x8ebd 0x93b11bec... Flashbots
13987588 2 3038 1740 +1298 whale_0x8ebd 0x853b0078... BloXroute Max Profit
13987442 5 3075 1779 +1296 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13993105 0 3008 1713 +1295 coinbase 0xb26f9666... Titan Relay
13989713 4 3061 1766 +1295 whale_0x8ee5 0x8527d16c... Ultra Sound
13991964 0 3007 1713 +1294 p2porg 0x823e0146... Ultra Sound
13988017 8 3113 1819 +1294 figment 0xb4ce6162... Ultra Sound
13986578 8 3113 1819 +1294 coinbase 0x8527d16c... Ultra Sound
13986034 0 3006 1713 +1293 coinbase 0xac23f8cc... BloXroute Max Profit
13986816 0 3005 1713 +1292 whale_0x8ebd 0x8a850621... Titan Relay
13988640 9 3124 1833 +1291 everstake 0xb67eaa5e... BloXroute Max Profit
13993101 1 3017 1726 +1291 whale_0x8ebd 0xb26f9666... Titan Relay
13991218 5 3070 1779 +1291 p2porg 0x850b00e0... Flashbots
13990546 5 3070 1779 +1291 coinbase 0x8527d16c... Ultra Sound
13992080 0 3003 1713 +1290 gateway.fmas_lido 0x8527d16c... Ultra Sound
13991820 7 3096 1806 +1290 whale_0x8ebd 0xb26f9666... Titan Relay
13987958 5 3069 1779 +1290 whale_0x8ebd 0x856b0004... BloXroute Max Profit
13987041 1 3015 1726 +1289 whale_0x8ebd 0x853b0078... Flashbots
13991505 2 3028 1740 +1288 whale_0x8ebd 0x8db2a99d... Flashbots
13990271 6 3081 1793 +1288 whale_0x8ebd 0x8527d16c... Ultra Sound
13993171 0 3001 1713 +1288 coinbase 0xb67eaa5e... BloXroute Regulated
13988102 2 3027 1740 +1287 kiln 0x88857150... Ultra Sound
13992506 10 3133 1846 +1287 kiln 0x850b00e0... BloXroute Max Profit
13991946 0 2999 1713 +1286 solo_stakers 0x88a53ec4... BloXroute Max Profit
13992734 10 3132 1846 +1286 coinbase 0x823e0146... Ultra Sound
13990163 10 3132 1846 +1286 blockdaemon_lido 0xb26f9666... Titan Relay
13992777 5 3065 1779 +1286 whale_0x8ebd 0x8527d16c... Ultra Sound
13992369 2 3025 1740 +1285 coinbase 0x853b0078... Aestus
13992701 7 3091 1806 +1285 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13993118 5 3064 1779 +1285 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13990184 5 3063 1779 +1284 kiln Local Local
13988380 0 2996 1713 +1283 solo_stakers 0x88857150... Ultra Sound
13991597 0 2995 1713 +1282 coinbase 0xb67eaa5e... BloXroute Max Profit
13991057 5 3060 1779 +1281 p2porg 0xb26f9666... BloXroute Max Profit
13988155 0 2993 1713 +1280 bitstamp 0x8527d16c... Ultra Sound
13989135 1 3005 1726 +1279 0xb26f9666... BloXroute Max Profit
13992749 1 3004 1726 +1278 coinbase 0x8527d16c... Ultra Sound
13991012 6 3070 1793 +1277 p2porg 0xb26f9666... Aestus
13990695 7 3081 1806 +1275 coinbase 0xb26f9666... Titan Relay
13987266 6 3067 1793 +1274 coinbase 0x853b0078... Aestus
13989469 4 3040 1766 +1274 whale_0x8ebd 0xb26f9666... Titan Relay
13988822 1 2999 1726 +1273 coinbase 0x88857150... Ultra Sound
13990434 5 3052 1779 +1273 coinbase 0x8527d16c... Ultra Sound
13986807 5 3052 1779 +1273 kiln 0x88857150... Ultra Sound
13987181 3 3024 1753 +1271 coinbase 0x823e0146... Flashbots
13993050 0 2982 1713 +1269 everstake 0x8a850621... Titan Relay
13989707 5 3048 1779 +1269 coinbase 0xb26f9666... Titan Relay
13991048 6 3061 1793 +1268 everstake 0x8a850621... Titan Relay
13987770 1 2994 1726 +1268 stader 0xb67eaa5e... BloXroute Regulated
13988956 0 2980 1713 +1267 kiln 0x853b0078... Agnostic Gnosis
13992129 1 2993 1726 +1267 whale_0x8ebd 0x88857150... Ultra Sound
13987624 5 3046 1779 +1267 kiln 0x8527d16c... Ultra Sound
13989960 5 3046 1779 +1267 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13989726 2 3005 1740 +1265 coinbase 0x850b00e0... BloXroute Max Profit
13989032 0 2978 1713 +1265 kiln 0xb67eaa5e... BloXroute Regulated
13991936 0 2978 1713 +1265 everstake 0x88857150... Ultra Sound
13991197 3 3017 1753 +1264 everstake 0x823e0146... Ultra Sound
13989247 0 2977 1713 +1264 kiln 0x88a53ec4... BloXroute Max Profit
13990598 7 3070 1806 +1264 p2porg 0xb26f9666... BloXroute Max Profit
13990898 5 3043 1779 +1264 kiln 0xb26f9666... Titan Relay
13991126 2 3002 1740 +1262 kiln 0xb26f9666... Aestus
13989366 11 3121 1859 +1262 p2porg 0x8527d16c... Ultra Sound
13992940 5 3041 1779 +1262 coinbase 0xb26f9666... Titan Relay
13992951 0 2974 1713 +1261 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13989550 7 3067 1806 +1261 0x853b0078... BloXroute Max Profit
13987157 1 2987 1726 +1261 kiln 0x8db2a99d... Flashbots
13992894 0 2973 1713 +1260 everstake 0x8db2a99d... Flashbots
13986620 17 3199 1939 +1260 whale_0xedc6 0x8db2a99d... Ultra Sound
13987870 6 3052 1793 +1259 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13986180 10 3105 1846 +1259 whale_0x8ebd 0xb4ce6162... Ultra Sound
13990504 8 3078 1819 +1259 p2porg 0x853b0078... Agnostic Gnosis
13989826 5 3038 1779 +1259 coinbase 0x853b0078... Aestus
13988746 0 2971 1713 +1258 everstake 0x8db2a99d... Aestus
13986231 2 2997 1740 +1257 everstake 0x850b00e0... Flashbots
13993014 3 3010 1753 +1257 p2porg 0xb26f9666... BloXroute Regulated
13990512 0 2969 1713 +1256 everstake 0x8a850621... Titan Relay
13991715 3 3008 1753 +1255 kiln 0x88857150... Ultra Sound
13986724 2 2994 1740 +1254 kiln 0xb26f9666... BloXroute Regulated
13986822 0 2967 1713 +1254 kiln 0x8db2a99d... Aestus
13987070 11 3113 1859 +1254 everstake 0xb4ce6162... Ultra Sound
13992727 8 3073 1819 +1254 p2porg 0x856b0004... Aestus
13988744 0 2966 1713 +1253 everstake 0x855b00e6... Flashbots
13988513 0 2966 1713 +1253 stakingfacilities_lido 0x856b0004... Ultra Sound
13989711 1 2979 1726 +1253 everstake 0xb67eaa5e... BloXroute Max Profit
13990272 9 3085 1833 +1252 whale_0x8ebd 0x8db2a99d... Ultra Sound
13993167 2 2991 1740 +1251 everstake 0x8db2a99d... Flashbots
13987056 3 3004 1753 +1251 everstake 0x8a850621... Titan Relay
13992516 0 2964 1713 +1251 kiln 0xb26f9666... Titan Relay
13986854 0 2964 1713 +1251 coinbase Local Local
13989155 5 3030 1779 +1251 everstake 0x850b00e0... BloXroute Max Profit
13993152 0 2963 1713 +1250 coinbase 0x856b0004... Aestus
13988156 0 2963 1713 +1250 kiln 0x88857150... Ultra Sound
13985999 2 2989 1740 +1249 coinbase 0xb26f9666... BloXroute Regulated
13986733 0 2962 1713 +1249 everstake 0xb26f9666... Titan Relay
13986552 7 3054 1806 +1248 kiln 0x8527d16c... Ultra Sound
13990373 5 3026 1779 +1247 whale_0x8ebd 0x856b0004... Aestus
13987899 12 3119 1873 +1246 coinbase 0xb26f9666... BloXroute Max Profit
13992069 3 2999 1753 +1246 kiln 0xb26f9666... Aestus
13988132 0 2959 1713 +1246 kiln 0x823e0146... Ultra Sound
13988254 1 2972 1726 +1246 everstake 0xb26f9666... Titan Relay
13987175 5 3025 1779 +1246 stader 0x88a53ec4... BloXroute Regulated
13988172 0 2958 1713 +1245 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13990005 1 2970 1726 +1244 whale_0x8ebd 0x823e0146... Ultra Sound
13988849 3 2996 1753 +1243 coinbase 0xb26f9666... BloXroute Regulated
13986767 1 2969 1726 +1243 coinbase 0x88857150... Ultra Sound
13992525 12 3115 1873 +1242 whale_0x8ebd 0x8527d16c... Ultra Sound
13990234 0 2955 1713 +1242 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13986284 1 2968 1726 +1242 kiln 0xb26f9666... BloXroute Regulated
13989663 1 2968 1726 +1242 kiln 0x853b0078... Agnostic Gnosis
13986812 5 3021 1779 +1242 everstake 0x85fb0503... BloXroute Max Profit
13992222 5 3021 1779 +1242 everstake 0x8527d16c... Ultra Sound
13991839 1 2967 1726 +1241 kiln 0x853b0078... Aestus
13990559 1 2967 1726 +1241 kiln 0xb26f9666... Aestus
13989858 1 2966 1726 +1240 kiln 0xb26f9666... BloXroute Regulated
13988265 8 3059 1819 +1240 kiln 0x853b0078... Agnostic Gnosis
13993097 5 3019 1779 +1240 coinbase 0x853b0078... Agnostic Gnosis
13990440 12 3112 1873 +1239 kiln 0x8527d16c... Ultra Sound
13991792 0 2952 1713 +1239 coinbase 0x823e0146... Ultra Sound
13987033 0 2952 1713 +1239 kiln 0x88857150... Ultra Sound
13991180 5 3018 1779 +1239 kiln 0xb26f9666... BloXroute Regulated
13989428 2 2978 1740 +1238 everstake 0x853b0078... BloXroute Max Profit
13988037 8 3056 1819 +1237 whale_0x8ebd 0xb26f9666... Titan Relay
13991868 6 3029 1793 +1236 whale_0x8ebd 0x853b0078... Aestus
13987254 0 2948 1713 +1235 kiln 0x823e0146... Aestus
13986217 0 2948 1713 +1235 coinbase 0x856b0004... BloXroute Max Profit
13991047 1 2960 1726 +1234 kiln 0x8527d16c... Ultra Sound
13991290 3 2985 1753 +1232 everstake 0xb26f9666... Aestus
13990069 8 3050 1819 +1231 coinbase 0xb26f9666... Aestus
13993021 2 2970 1740 +1230 kiln 0x823e0146... BloXroute Max Profit
13992122 0 2943 1713 +1230 kiln 0x8db2a99d... Ultra Sound
13992661 5 3009 1779 +1230 coinbase 0xb26f9666... Titan Relay
13986609 7 3035 1806 +1229 kiln 0xb67eaa5e... BloXroute Regulated
13987848 1 2955 1726 +1229 coinbase 0xb26f9666... BloXroute Max Profit
13988025 6 3021 1793 +1228 kiln 0xb26f9666... BloXroute Max Profit
13991742 6 3021 1793 +1228 stader 0xb26f9666... Titan Relay
13992460 3 2981 1753 +1228 kiln 0x88a53ec4... BloXroute Max Profit
13991406 5 3007 1779 +1228 coinbase 0x8527d16c... Ultra Sound
13992474 5 3007 1779 +1228 kiln 0x856b0004... Aestus
13990027 1 2952 1726 +1226 coinbase 0x853b0078... Agnostic Gnosis
13992781 6 3018 1793 +1225 whale_0x8ebd 0x856b0004... Aestus
13988465 1 2951 1726 +1225 coinbase 0x856b0004... Agnostic Gnosis
13992829 1 2951 1726 +1225 kiln 0x8527d16c... Ultra Sound
13988574 8 3044 1819 +1225 coinbase 0x856b0004... Aestus
13991207 5 3004 1779 +1225 kiln 0x850b00e0... BloXroute Max Profit
13992819 2 2964 1740 +1224 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13992799 6 3017 1793 +1224 kiln 0x8db2a99d... Aestus
13989239 10 3070 1846 +1224 kiln 0x8527d16c... Ultra Sound
13992255 2 2963 1740 +1223 stader 0xac23f8cc... Flashbots
13992670 6 3015 1793 +1222 coinbase 0x88857150... Ultra Sound
13991077 3 2975 1753 +1222 kiln 0x8527d16c... Ultra Sound
13991654 0 2935 1713 +1222 kiln 0xb67eaa5e... Ultra Sound
13993159 0 2935 1713 +1222 everstake 0xb4ce6162... Ultra Sound
13986558 0 2934 1713 +1221 stader 0x853b0078... Aestus
13992345 1 2947 1726 +1221 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13988915 1 2947 1726 +1221 kiln 0xb26f9666... BloXroute Regulated
13992806 14 3120 1899 +1221 whale_0x8ebd Local Local
13990223 8 3040 1819 +1221 0x850b00e0... BloXroute Max Profit
13991885 6 3013 1793 +1220 kiln 0x853b0078... Aestus
13987614 5 2999 1779 +1220 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13987004 0 2932 1713 +1219 kiln 0x8527d16c... Ultra Sound
13989878 4 2985 1766 +1219 kiln 0x8db2a99d... Aestus
13986276 1 2945 1726 +1219 kiln 0xb26f9666... BloXroute Regulated
13989030 5 2998 1779 +1219 everstake 0x856b0004... BloXroute Max Profit
13988982 1 2944 1726 +1218 solo_stakers 0x8527d16c... Ultra Sound
13987314 0 2930 1713 +1217 kiln 0xb26f9666... BloXroute Max Profit
13989910 0 2930 1713 +1217 everstake 0xb67eaa5e... BloXroute Max Profit
13988339 6 3009 1793 +1216 kiln 0x853b0078... Aestus
13992599 3 2969 1753 +1216 coinbase 0xb26f9666... BloXroute Max Profit
13989666 0 2929 1713 +1216 kiln 0x88857150... Ultra Sound
13987683 6 3008 1793 +1215 kiln 0xb26f9666... BloXroute Max Profit
13987784 1 2940 1726 +1214 everstake 0x88a53ec4... BloXroute Max Profit
13987714 8 3033 1819 +1214 kiln 0x853b0078... Aestus
13993062 5 2992 1779 +1213 everstake 0x8a850621... BloXroute Max Profit
13987280 0 2925 1713 +1212 bitstamp 0x855b00e6... BloXroute Max Profit
13991883 0 2924 1713 +1211 bitstamp 0x88a53ec4... BloXroute Max Profit
13989349 0 2924 1713 +1211 kiln 0x853b0078... Agnostic Gnosis
13992720 13 3096 1886 +1210 whale_0x8ebd 0x853b0078... Aestus
13986083 8 3029 1819 +1210 whale_0x8ebd 0xb26f9666... Titan Relay
13987824 0 2922 1713 +1209 everstake 0xb26f9666... Titan Relay
13987047 0 2922 1713 +1209 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13986843 0 2921 1713 +1208 everstake 0xb26f9666... Titan Relay
13990714 20 3187 1979 +1208 everstake 0x88857150... Ultra Sound
13992267 2 2947 1740 +1207 solo_stakers 0x8db2a99d... Aestus
13987741 0 2920 1713 +1207 everstake 0x850b00e0... BloXroute Max Profit
13988960 5 2986 1779 +1207 coinbase 0xb67eaa5e... BloXroute Max Profit
13990513 0 2919 1713 +1206 everstake 0x855b00e6... BloXroute Max Profit
13989940 9 3038 1833 +1205 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13987722 0 2918 1713 +1205 everstake 0x856b0004... BloXroute Max Profit
13990073 0 2918 1713 +1205 whale_0x8ebd Local Local
13991421 7 3010 1806 +1204 kiln 0xb26f9666... Titan Relay
13990299 1 2930 1726 +1204 everstake 0xb26f9666... Titan Relay
13990545 5 2983 1779 +1204 whale_0x8ebd 0xb4ce6162... Ultra Sound
13988328 0 2916 1713 +1203 whale_0x8ebd 0x857b0038... Ultra Sound
13986260 3 2955 1753 +1202 stader 0x85fb0503... BloXroute Max Profit
13992210 0 2915 1713 +1202 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13989474 5 2981 1779 +1202 kiln 0xb26f9666... Aestus
13988129 0 2914 1713 +1201 everstake 0xb26f9666... Aestus
13992703 1 2927 1726 +1201 everstake 0x850b00e0... BloXroute Max Profit
13986277 0 2912 1713 +1199 everstake 0xb26f9666... Aestus
13991870 0 2912 1713 +1199 everstake 0xb26f9666... Titan Relay
13989064 7 3005 1806 +1199 stader 0x8db2a99d... Aestus
13991726 4 2965 1766 +1199 solo_stakers 0x8db2a99d... Flashbots
13990449 1 2925 1726 +1199 everstake 0x88a53ec4... BloXroute Regulated
13987797 3 2951 1753 +1198 everstake 0x823e0146... Aestus
13992793 0 2911 1713 +1198 kiln 0x853b0078... Agnostic Gnosis
13986498 1 2924 1726 +1198 everstake 0x88a53ec4... BloXroute Max Profit
13986282 8 3017 1819 +1198 solo_stakers 0xb26f9666... BloXroute Regulated
13986227 5 2977 1779 +1198 stakingfacilities_lido 0x85fb0503... BloXroute Max Profit
13987173 6 2990 1793 +1197 coinbase 0xb26f9666... BloXroute Regulated
13990261 11 3056 1859 +1197 coinbase 0x853b0078... Aestus
13989243 3 2949 1753 +1196 solo_stakers 0x855b00e6... BloXroute Max Profit
13986201 8 3015 1819 +1196 everstake 0x853b0078... Agnostic Gnosis
13987125 0 2908 1713 +1195 bitstamp 0xb67eaa5e... BloXroute Regulated
Total anomalies: 490

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