Thu, Mar 5, 2026

Propagation anomalies - 2026-03-05

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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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-05' AND slot_start_date_time < '2026-03-05'::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,187
MEV blocks: 6,666 (92.8%)
Local blocks: 521 (7.2%)

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 = 1801.4 + 12.37 × blob_count (R² = 0.007)
Residual σ = 642.7ms
Anomalies (>2σ slow): 369 (5.1%)
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
13824064 0 6228 1801 +4427 upbit Local Local
13827584 0 4830 1801 +3029 whale_0xe389 Local Local
13821952 4 4785 1851 +2934 whale_0x8ebd Local Local
13822176 0 4728 1801 +2927 upbit Local Local
13825015 0 4224 1801 +2423 coinbase Local Local
13821379 0 4130 1801 +2329 everstake Local Local
13823552 0 4130 1801 +2329 blockdaemon Local Local
13827120 0 4109 1801 +2308 figment Local Local
13822910 5 4105 1863 +2242 everstake 0xb26f9666... Titan Relay
13827134 0 4027 1801 +2226 lido Local Local
13822545 0 4016 1801 +2215 ether.fi Local Local
13825403 0 4003 1801 +2202 nethermind_lido Local Local
13827181 0 3981 1801 +2180 whale_0xba8f Local Local
13822303 1 3971 1814 +2157 blockdaemon 0x8527d16c... Ultra Sound
13826816 6 4026 1876 +2150 whale_0x2e07 0x88857150... Ultra Sound
13822153 0 3919 1801 +2118 everstake Local Local
13826925 12 4032 1950 +2082 everstake 0x856b0004... Agnostic Gnosis
13821717 0 3854 1801 +2053 solo_stakers Local Local
13826698 12 3990 1950 +2040 everstake 0xb26f9666... Titan Relay
13825389 6 3890 1876 +2014 ether.fi 0xb67eaa5e... EthGas
13823244 7 3889 1888 +2001 ether.fi 0x823e0146... BloXroute Max Profit
13823635 0 3792 1801 +1991 nethermind_lido 0xb26f9666... Titan Relay
13825216 0 3767 1801 +1966 ether.fi Local Local
13821009 0 3765 1801 +1964 coinbase 0x88a53ec4... Aestus
13825198 1 3775 1814 +1961 nethermind_lido 0xb26f9666... Titan Relay
13821813 9 3835 1913 +1922 everstake 0x856b0004... Agnostic Gnosis
13826973 0 3713 1801 +1912 everstake 0x8527d16c... Ultra Sound
13823230 6 3776 1876 +1900 nethermind_lido 0x853b0078... Aestus
13826859 12 3846 1950 +1896 whale_0x8ebd 0x857b0038... Ultra Sound
13827518 5 3759 1863 +1896 nethermind_lido 0x853b0078... Agnostic Gnosis
13822089 10 3813 1925 +1888 stakefish Local Local
13826814 1 3692 1814 +1878 blockdaemon 0xb26f9666... Titan Relay
13821382 0 3667 1801 +1866 whale_0x8ebd 0xb26f9666... Titan Relay
13826651 6 3739 1876 +1863 kraken 0xb26f9666... EthGas
13820950 6 3735 1876 +1859 stakefish Local Local
13820964 5 3720 1863 +1857 nethermind_lido 0x823e0146... BloXroute Max Profit
13827074 10 3778 1925 +1853 everstake 0x8a850621... Titan Relay
13822530 0 3652 1801 +1851 everstake 0xb26f9666... Aestus
13822297 0 3645 1801 +1844 luno 0xb26f9666... Titan Relay
13821472 3 3672 1839 +1833 abyss_finance 0x8527d16c... Ultra Sound
13823804 5 3692 1863 +1829 nethermind_lido 0xac23f8cc... Flashbots
13821674 4 3661 1851 +1810 blockdaemon 0xb26f9666... Titan Relay
13821444 3 3647 1839 +1808 whale_0x8ebd 0xb26f9666... Titan Relay
13825499 3 3647 1839 +1808 0x8527d16c... Ultra Sound
13822002 6 3682 1876 +1806 everstake 0x8db2a99d... BloXroute Max Profit
13821890 1 3620 1814 +1806 blockdaemon 0x853b0078... BloXroute Regulated
13826781 6 3680 1876 +1804 everstake 0x856b0004... Aestus
13822508 3 3637 1839 +1798 whale_0x8ebd 0xb26f9666... Titan Relay
13821377 0 3598 1801 +1797 blockdaemon 0x88857150... Ultra Sound
13825491 0 3598 1801 +1797 everstake 0x805e28e6... BloXroute Max Profit
13821638 5 3652 1863 +1789 0xb26f9666... Titan Relay
13826762 5 3647 1863 +1784 whale_0xdc8d 0xb26f9666... Titan Relay
13825291 6 3659 1876 +1783 ether.fi 0x856b0004... BloXroute Max Profit
13822770 17 3784 2012 +1772 kelp 0x88a53ec4... BloXroute Max Profit
13827026 0 3572 1801 +1771 kraken 0x8527d16c... EthGas
13822048 0 3572 1801 +1771 blockdaemon 0x88a53ec4... BloXroute Regulated
13826758 0 3571 1801 +1770 everstake 0xb4ce6162... Ultra Sound
13825377 5 3629 1863 +1766 blockdaemon_lido 0xb26f9666... Titan Relay
13821590 5 3627 1863 +1764 whale_0x8ebd 0x88857150... Ultra Sound
13826994 0 3564 1801 +1763 blockdaemon_lido 0x852b0070... BloXroute Max Profit
13824480 11 3696 1937 +1759 ether.fi 0x85fb0503... BloXroute Max Profit
13826972 6 3630 1876 +1754 nethermind_lido 0x855b00e6... BloXroute Max Profit
13820644 4 3602 1851 +1751 nethermind_lido 0xac23f8cc... Flashbots
13822202 0 3548 1801 +1747 stader 0x85fb0503... BloXroute Max Profit
13825235 0 3548 1801 +1747 kraken 0xb26f9666... EthGas
13823050 6 3619 1876 +1743 everstake 0xac23f8cc... Ultra Sound
13822273 10 3665 1925 +1740 everstake 0x856b0004... Agnostic Gnosis
13824105 0 3541 1801 +1740 nethermind_lido 0xb26f9666... Titan Relay
13823112 1 3547 1814 +1733 nethermind_lido 0xb7c5fbdd... BloXroute Max Profit
13823017 6 3594 1876 +1718 nethermind_lido 0x8527d16c... Ultra Sound
13824075 20 3767 2049 +1718 whale_0xad1d Local Local
13825830 8 3611 1900 +1711 blockdaemon 0xb4ce6162... Ultra Sound
13821082 2 3534 1826 +1708 stakefish Local Local
13825660 1 3520 1814 +1706 figment 0xb26f9666... BloXroute Regulated
13822906 0 3503 1801 +1702 nethermind_lido 0x850b00e0... BloXroute Max Profit
13821650 1 3509 1814 +1695 everstake 0x850b00e0... BloXroute Max Profit
13823488 14 3668 1975 +1693 blockdaemon 0xb26f9666... BloXroute Regulated
13827575 0 3491 1801 +1690 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13826946 0 3479 1801 +1678 coinbase 0x8527d16c... Ultra Sound
13826673 4 3524 1851 +1673 nethermind_lido 0x855b00e6... BloXroute Max Profit
13821270 2 3498 1826 +1672 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13826772 0 3470 1801 +1669 kraken 0xb26f9666... EthGas
13825494 8 3561 1900 +1661 whale_0x8ebd 0x8527d16c... Ultra Sound
13820785 1 3474 1814 +1660 nethermind_lido 0x853b0078... Agnostic Gnosis
13826179 5 3523 1863 +1660 blockdaemon 0x857b0038... Ultra Sound
13827082 3 3498 1839 +1659 blockdaemon_lido 0x8527d16c... Ultra Sound
13822716 0 3460 1801 +1659 kelp 0xb26f9666... Titan Relay
13823480 6 3532 1876 +1656 stakefish Local Local
13822312 6 3531 1876 +1655 blockdaemon 0xb26f9666... Titan Relay
13825108 3 3491 1839 +1652 everstake 0x88a53ec4... BloXroute Regulated
13825044 5 3515 1863 +1652 nethermind_lido 0x853b0078... BloXroute Max Profit
13824961 0 3453 1801 +1652 whale_0xad1d Local Local
13824883 0 3452 1801 +1651 nethermind_lido 0x851b00b1... BloXroute Max Profit
13827055 3 3487 1839 +1648 stader 0x856b0004... Agnostic Gnosis
13821468 8 3543 1900 +1643 whale_0x8ebd 0xb4ce6162... Ultra Sound
13820544 0 3444 1801 +1643 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13823577 2 3468 1826 +1642 blockdaemon Local Local
13825859 0 3441 1801 +1640 nethermind_lido 0x852b0070... BloXroute Max Profit
13822763 0 3431 1801 +1630 kraken 0xb26f9666... EthGas
13827051 2 3448 1826 +1622 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13821996 0 3422 1801 +1621 everstake 0xb67eaa5e... BloXroute Regulated
13825297 12 3568 1950 +1618 everstake 0xb26f9666... Aestus
13821398 0 3419 1801 +1618 whale_0x8ebd 0x8527d16c... Ultra Sound
13824860 6 3493 1876 +1617 whale_0x8ebd Local Local
13826612 0 3418 1801 +1617 everstake 0xb26f9666... Titan Relay
13821589 6 3492 1876 +1616 ether.fi 0x8527d16c... EthGas
13822147 10 3540 1925 +1615 kiln 0xb26f9666... Titan Relay
13826832 0 3416 1801 +1615 kraken 0xb26f9666... Titan Relay
13824410 13 3576 1962 +1614 figment 0xb26f9666... BloXroute Regulated
13822007 4 3464 1851 +1613 whale_0x8ebd 0xb4ce6162... Ultra Sound
13823459 0 3414 1801 +1613 blockdaemon 0xb26f9666... Titan Relay
13820807 0 3414 1801 +1613 nethermind_lido 0xb26f9666... Titan Relay
13827078 0 3409 1801 +1608 coinbase 0x857b0038... Ultra Sound
13827517 3 3432 1839 +1593 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13822811 1 3404 1814 +1590 nethermind_lido 0x8db2a99d... Flashbots
13822201 13 3552 1962 +1590 kiln 0xb26f9666... Titan Relay
13825305 13 3551 1962 +1589 stader 0x853b0078... BloXroute Regulated
13823950 5 3451 1863 +1588 luno 0xb67eaa5e... BloXroute Regulated
13821660 6 3463 1876 +1587 origin_protocol 0xb26f9666... Titan Relay
13826075 10 3512 1925 +1587 blockdaemon 0x88857150... Ultra Sound
13823678 1 3388 1814 +1574 solo_stakers 0xb26f9666... Ultra Sound
13820621 8 3470 1900 +1570 nethermind_lido 0x8527d16c... Ultra Sound
13823079 2 3393 1826 +1567 stader 0xb26f9666... BloXroute Max Profit
13827096 1 3380 1814 +1566 blockdaemon 0x8527d16c... Ultra Sound
13823707 0 3364 1801 +1563 blockdaemon_lido 0x852b0070... BloXroute Max Profit
13824194 0 3361 1801 +1560 nethermind_lido 0xb26f9666... Titan Relay
13827290 1 3373 1814 +1559 blockdaemon 0x823e0146... BloXroute Max Profit
13821381 4 3407 1851 +1556 whale_0x8ebd 0xb4ce6162... Ultra Sound
13821268 0 3357 1801 +1556 everstake 0xb26f9666... Titan Relay
13820865 2 3378 1826 +1552 whale_0x8ebd Local Local
13822494 8 3445 1900 +1545 blockdaemon_lido 0x8527d16c... Ultra Sound
13827314 6 3417 1876 +1541 everstake 0xb26f9666... Titan Relay
13823614 10 3466 1925 +1541 blockdaemon 0x8a850621... Titan Relay
13825931 0 3342 1801 +1541 solo_stakers 0x851b00b1... BloXroute Max Profit
13827142 5 3402 1863 +1539 ether.fi 0xb26f9666... EthGas
13827505 14 3513 1975 +1538 kiln 0x855b00e6... BloXroute Max Profit
13821614 8 3434 1900 +1534 abyss_finance 0xb26f9666... Titan Relay
13820451 4 3384 1851 +1533 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13820704 3 3370 1839 +1531 p2porg 0xac23f8cc... BloXroute Max Profit
13825303 1 3344 1814 +1530 gateway.fmas_lido 0xb26f9666... Titan Relay
13827513 1 3342 1814 +1528 everstake 0xb26f9666... Titan Relay
13825170 5 3389 1863 +1526 blockdaemon 0x855b00e6... BloXroute Max Profit
13827557 1 3339 1814 +1525 solo_stakers 0x853b0078... Agnostic Gnosis
13827011 3 3363 1839 +1524 coinbase 0x850b00e0... Ultra Sound
13826845 5 3385 1863 +1522 0xb26f9666... EthGas
13824487 1 3334 1814 +1520 blockdaemon_lido 0x856b0004... Ultra Sound
13821457 5 3380 1863 +1517 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13822761 3 3355 1839 +1516 mantle 0x8db2a99d... Flashbots
13821314 3 3351 1839 +1512 whale_0xdc8d 0xb26f9666... Titan Relay
13823742 11 3449 1937 +1512 whale_0xdc8d 0x850b00e0... BloXroute Max Profit
13824749 0 3311 1801 +1510 ether.fi 0xb67eaa5e... BloXroute Regulated
13823312 0 3311 1801 +1510 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13820768 10 3434 1925 +1509 gateway.fmas_lido 0xb26f9666... Titan Relay
13827093 8 3406 1900 +1506 blockdaemon 0xb26f9666... Titan Relay
13822110 0 3304 1801 +1503 blockdaemon_lido 0x91b123d8... BloXroute Regulated
13825244 9 3415 1913 +1502 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13823394 0 3303 1801 +1502 whale_0xdc8d 0x91b123d8... BloXroute Regulated
13822751 0 3301 1801 +1500 gateway.fmas_lido 0xb26f9666... Aestus
13821939 5 3362 1863 +1499 everstake 0x8527d16c... Ultra Sound
13822725 9 3410 1913 +1497 renzo_protocol 0x88a53ec4... Aestus
13823223 0 3298 1801 +1497 everstake 0x83cae7e5... BloXroute Max Profit
13825864 3 3334 1839 +1495 luno 0x855b00e6... Ultra Sound
13822673 0 3296 1801 +1495 everstake 0x8527d16c... Ultra Sound
13822280 0 3295 1801 +1494 coinbase 0x88857150... Ultra Sound
13825785 4 3341 1851 +1490 everstake 0x856b0004... BloXroute Max Profit
13825372 8 3390 1900 +1490 whale_0xc541 0x850b00e0... BloXroute Regulated
13821587 7 3376 1888 +1488 everstake 0xb26f9666... Titan Relay
13823852 6 3363 1876 +1487 blockdaemon_lido 0x88857150... Ultra Sound
13826273 5 3350 1863 +1487 whale_0xad1d Local Local
13824086 5 3349 1863 +1486 solo_stakers 0xb26f9666... BloXroute Max Profit
13823067 2 3311 1826 +1485 blockdaemon 0x853b0078... Ultra Sound
13820912 10 3409 1925 +1484 everstake 0xb67eaa5e... BloXroute Regulated
13825761 0 3285 1801 +1484 whale_0xdc8d 0xb26f9666... Titan Relay
13823226 4 3334 1851 +1483 revolut 0xb67eaa5e... BloXroute Regulated
13823263 6 3358 1876 +1482 blockdaemon_lido 0xb26f9666... Titan Relay
13822475 1 3292 1814 +1478 0xb26f9666... EthGas
13821694 1 3291 1814 +1477 blockdaemon 0x853b0078... Ultra Sound
13821517 5 3340 1863 +1477 nethermind_lido 0x850b00e0... BloXroute Max Profit
13827186 0 3278 1801 +1477 luno 0x852b0070... Ultra Sound
13826641 0 3277 1801 +1476 blockdaemon 0x8527d16c... Ultra Sound
13825392 4 3326 1851 +1475 blockdaemon 0x850b00e0... BloXroute Regulated
13822976 8 3375 1900 +1475 p2porg 0xb26f9666... Titan Relay
13822323 8 3375 1900 +1475 bitstamp 0xac23f8cc... BloXroute Max Profit
13823647 0 3276 1801 +1475 everstake 0xb26f9666... Titan Relay
13823551 5 3337 1863 +1474 revolut 0x82c466b9... BloXroute Regulated
13822911 9 3383 1913 +1470 bitstamp 0x850b00e0... BloXroute Max Profit
13824869 5 3333 1863 +1470 revolut 0x82c466b9... BloXroute Regulated
13821376 8 3368 1900 +1468 ether.fi 0xb26f9666... EthGas
13824276 3 3306 1839 +1467 whale_0xdc8d 0x91b123d8... BloXroute Regulated
13824332 0 3268 1801 +1467 everstake 0xb67eaa5e... BloXroute Regulated
13826660 12 3416 1950 +1466 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13823784 7 3354 1888 +1466 luno 0x853b0078... Ultra Sound
13825332 9 3378 1913 +1465 blockdaemon_lido 0x856b0004... BloXroute Max Profit
13825292 6 3338 1876 +1462 kiln 0xb26f9666... Titan Relay
13821038 4 3312 1851 +1461 blockdaemon 0x88a53ec4... BloXroute Regulated
13821741 8 3360 1900 +1460 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13821520 2 3285 1826 +1459 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13824679 3 3297 1839 +1458 everstake 0x855b00e6... BloXroute Max Profit
13824074 1 3272 1814 +1458 blockdaemon 0x88a53ec4... BloXroute Regulated
13821805 0 3256 1801 +1455 coinbase 0x8a850621... Titan Relay
13821798 5 3316 1863 +1453 kraken 0xb26f9666... EthGas
13827424 2 3277 1826 +1451 bridgetower_lido 0x8db2a99d... BloXroute Max Profit
13823676 0 3249 1801 +1448 blockdaemon 0x8527d16c... Ultra Sound
13822764 0 3249 1801 +1448 whale_0x8ebd 0x88857150... Ultra Sound
13823553 1 3260 1814 +1446 kraken Local Local
13825159 0 3246 1801 +1445 solo_stakers Local Local
13822212 12 3394 1950 +1444 0x856b0004... BloXroute Max Profit
13827052 7 3332 1888 +1444 p2porg 0x853b0078... BloXroute Max Profit
13821503 0 3245 1801 +1444 kraken 0xb26f9666... EthGas
13822996 5 3306 1863 +1443 origin_protocol 0xb26f9666... Titan Relay
13823739 6 3316 1876 +1440 everstake 0x856b0004... Aestus
13821953 5 3303 1863 +1440 p2porg 0x88857150... Ultra Sound
13825489 7 3327 1888 +1439 mantle 0x850b00e0... BloXroute Max Profit
13824624 8 3339 1900 +1439 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13822046 3 3277 1839 +1438 kraken 0xb26f9666... EthGas
13822069 1 3252 1814 +1438 coinbase 0x8a850621... Ultra Sound
13826175 5 3301 1863 +1438 everstake 0x8527d16c... Ultra Sound
13824427 0 3239 1801 +1438 solo_stakers 0x851b00b1... Flashbots
13822085 0 3238 1801 +1437 blockdaemon 0xb26f9666... Titan Relay
13825237 21 3496 2061 +1435 whale_0x0c77 0x856b0004... BloXroute Max Profit
13823716 0 3235 1801 +1434 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
13826670 5 3296 1863 +1433 bitstamp 0x853b0078... BloXroute Max Profit
13824437 4 3283 1851 +1432 everstake 0x823e0146... BloXroute Max Profit
13826046 3 3270 1839 +1431 everstake 0x8db2a99d... BloXroute Max Profit
13823871 6 3307 1876 +1431 whale_0xdc8d 0x88857150... Ultra Sound
13824251 9 3344 1913 +1431 ether.fi 0x853b0078... Agnostic Gnosis
13822786 3 3269 1839 +1430 everstake 0xb26f9666... Titan Relay
13825239 8 3328 1900 +1428 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13826643 6 3303 1876 +1427 p2porg 0x850b00e0... BloXroute Regulated
13825580 3 3265 1839 +1426 blockdaemon 0xb26f9666... Titan Relay
13822074 0 3227 1801 +1426 coinbase 0xb67eaa5e... Aestus
13823978 6 3301 1876 +1425 whale_0xdc8d 0xb26f9666... Titan Relay
13820826 9 3335 1913 +1422 blockdaemon 0x853b0078... Ultra Sound
13822271 8 3322 1900 +1422 stakingfacilities_lido 0x853b0078... BloXroute Max Profit
13824723 9 3333 1913 +1420 blockdaemon_lido 0x853b0078... Ultra Sound
13824526 15 3407 1987 +1420 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13825355 8 3320 1900 +1420 bitstamp 0xb26f9666... Titan Relay
13821193 8 3320 1900 +1420 revolut 0xb26f9666... Titan Relay
13820835 6 3295 1876 +1419 kelp 0xac23f8cc... BloXroute Max Profit
13822518 0 3219 1801 +1418 whale_0xdc8d 0x8527d16c... Ultra Sound
13822084 0 3218 1801 +1417 revolut 0x8527d16c... Ultra Sound
13825277 9 3329 1913 +1416 whale_0xc541 0x850b00e0... BloXroute Max Profit
13826058 7 3304 1888 +1416 bitstamp 0x850b00e0... BloXroute Max Profit
13825826 5 3279 1863 +1416 blockdaemon 0xb26f9666... Titan Relay
13820550 0 3217 1801 +1416 everstake 0x88a53ec4... BloXroute Regulated
13824440 6 3291 1876 +1415 blockdaemon 0xb67eaa5e... Titan Relay
13824145 10 3339 1925 +1414 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13826769 2 3240 1826 +1414 ether.fi 0x82c466b9... EthGas
13822849 5 3276 1863 +1413 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13823646 1 3226 1814 +1412 everstake 0x85fb0503... BloXroute Max Profit
13824196 8 3312 1900 +1412 blockdaemon 0xb26f9666... Titan Relay
13827343 9 3323 1913 +1410 revolut 0x823e0146... Ultra Sound
13821826 1 3224 1814 +1410 kraken 0xb26f9666... EthGas
13823633 0 3210 1801 +1409 blockdaemon_lido 0xb67eaa5e... Titan Relay
13825998 11 3344 1937 +1407 everstake 0x853b0078... Aestus
13826701 13 3368 1962 +1406 p2porg 0x856b0004... Aestus
13821465 5 3269 1863 +1406 kraken 0xb26f9666... EthGas
13821354 8 3305 1900 +1405 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13826770 5 3266 1863 +1403 coinbase 0x88a53ec4... BloXroute Max Profit
13822793 6 3278 1876 +1402 kraken 0xb26f9666... EthGas
13827064 0 3203 1801 +1402 whale_0x7669 0xb4ce6162... Ultra Sound
13824781 0 3203 1801 +1402 blockdaemon_lido 0x99dbe3e8... Ultra Sound
13823539 10 3326 1925 +1401 revolut 0x853b0078... BloXroute Regulated
13821972 2 3227 1826 +1401 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13822802 1 3214 1814 +1400 blockdaemon 0x853b0078... Ultra Sound
13822915 11 3336 1937 +1399 revolut 0x853b0078... Ultra Sound
13824855 0 3198 1801 +1397 everstake 0xb26f9666... Aestus
13823581 5 3259 1863 +1396 blockdaemon 0x853b0078... Ultra Sound
13820626 0 3197 1801 +1396 revolut 0xb26f9666... Titan Relay
13824966 0 3196 1801 +1395 revolut 0xb26f9666... Titan Relay
13821448 4 3244 1851 +1393 whale_0x8ebd 0x853b0078... Ultra Sound
13822231 8 3292 1900 +1392 stakingfacilities_lido 0xb67eaa5e... BloXroute Max Profit
13827417 6 3265 1876 +1389 blockdaemon 0x853b0078... Ultra Sound
13827265 0 3190 1801 +1389 stakefish Local Local
13822233 4 3238 1851 +1387 whale_0x8ebd 0x853b0078... Ultra Sound
13823949 0 3188 1801 +1387 whale_0xdc8d 0xba003e46... BloXroute Max Profit
13825233 20 3434 2049 +1385 everstake 0xb26f9666... Titan Relay
13822705 15 3371 1987 +1384 p2porg 0x850b00e0... BloXroute Max Profit
13824471 8 3284 1900 +1384 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13822152 0 3184 1801 +1383 coinbase 0x8a850621... Ultra Sound
13821199 2 3207 1826 +1381 everstake 0xb26f9666... Aestus
13826069 0 3182 1801 +1381 blockdaemon_lido 0xb4ce6162... Ultra Sound
13824814 9 3293 1913 +1380 blockdaemon 0xb26f9666... Titan Relay
13821190 6 3254 1876 +1378 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13826993 1 3191 1814 +1377 whale_0x8ebd 0x8a850621... Titan Relay
13825083 5 3237 1863 +1374 blockdaemon_lido 0x853b0078... BloXroute Regulated
13826914 13 3335 1962 +1373 whale_0x8ebd 0x857b0038... Ultra Sound
13821844 0 3174 1801 +1373 whale_0x8ebd 0xac23f8cc... BloXroute Max Profit
13822319 0 3173 1801 +1372 whale_0x8ebd 0x99dbe3e8... Ultra Sound
13821967 6 3245 1876 +1369 whale_0x8ebd 0xac23f8cc... BloXroute Max Profit
13824250 6 3241 1876 +1365 blockdaemon_lido 0x8527d16c... Ultra Sound
13826786 0 3164 1801 +1363 bitstamp 0x88a53ec4... BloXroute Max Profit
13826398 0 3164 1801 +1363 everstake 0x853b0078... Agnostic Gnosis
13823502 0 3164 1801 +1363 whale_0x8ebd 0x926b7905... BloXroute Max Profit
13826766 3 3197 1839 +1358 ether.fi 0xb26f9666... EthGas
13823815 5 3221 1863 +1358 kiln 0x853b0078... BloXroute Max Profit
13822056 0 3157 1801 +1356 bitstamp 0x852b0070... BloXroute Max Profit
13826414 0 3156 1801 +1355 blockdaemon 0x855b00e6... BloXroute Max Profit
13822019 0 3155 1801 +1354 coinbase 0x8527d16c... Ultra Sound
13823363 3 3192 1839 +1353 everstake 0x856b0004... Aestus
13821512 0 3153 1801 +1352 staked.us 0xb26f9666... Titan Relay
13823078 0 3152 1801 +1351 whale_0x8ebd 0x856b0004... BloXroute Max Profit
13826822 6 3222 1876 +1346 solo_stakers 0x8db2a99d... Aestus
13825378 1 3159 1814 +1345 p2porg 0x88510a78... BloXroute Regulated
13821184 15 3332 1987 +1345 p2porg 0xb26f9666... BloXroute Regulated
13824389 5 3208 1863 +1345 whale_0x8ebd 0x93b11bec... Flashbots
13824577 0 3146 1801 +1345 everstake 0xac23f8cc... BloXroute Max Profit
13825872 0 3146 1801 +1345 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13826226 0 3145 1801 +1344 kiln 0xb67eaa5e... Aestus
13821053 8 3243 1900 +1343 kiln 0xb67eaa5e... BloXroute Max Profit
13826078 0 3144 1801 +1343 blockdaemon_lido 0x852b0070... BloXroute Max Profit
13824542 6 3218 1876 +1342 ether.fi 0x850b00e0... Flashbots
13823703 1 3156 1814 +1342 everstake 0x88857150... Ultra Sound
13822414 6 3216 1876 +1340 kiln 0x8db2a99d... BloXroute Max Profit
13823104 7 3227 1888 +1339 ether.fi 0xb26f9666... EthGas
13824575 7 3226 1888 +1338 p2porg 0x82c466b9... BloXroute Regulated
13827522 0 3139 1801 +1338 kiln 0x852b0070... BloXroute Max Profit
13826935 0 3139 1801 +1338 everstake 0xb211df49... Agnostic Gnosis
13821830 10 3262 1925 +1337 0x856b0004... Aestus
13822975 13 3298 1962 +1336 kiln 0xb67eaa5e... BloXroute Max Profit
13821704 0 3135 1801 +1334 whale_0x8ebd 0x852b0070... Ultra Sound
13823858 10 3257 1925 +1332 blockdaemon_lido 0x8527d16c... Ultra Sound
13821383 7 3218 1888 +1330 kelp 0xac23f8cc... Aestus
13823090 0 3131 1801 +1330 bitstamp 0x851b00b1... BloXroute Max Profit
13827256 5 3191 1863 +1328 everstake 0x823e0146... Flashbots
13824376 1 3138 1814 +1324 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13824986 5 3187 1863 +1324 solo_stakers 0x850b00e0... BloXroute Max Profit
13823588 5 3185 1863 +1322 blockdaemon_lido 0x853b0078... BloXroute Regulated
13824246 1 3135 1814 +1321 p2porg 0x8527d16c... Ultra Sound
13823196 2 3146 1826 +1320 stader 0xac23f8cc... Ultra Sound
13826779 3 3158 1839 +1319 p2porg 0xb26f9666... BloXroute Max Profit
13824397 1 3132 1814 +1318 ether.fi 0xac23f8cc... Flashbots
13826070 2 3143 1826 +1317 mantle 0x8db2a99d... BloXroute Max Profit
13821022 0 3118 1801 +1317 kiln 0x853b0078... Agnostic Gnosis
13824912 0 3117 1801 +1316 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13821124 0 3117 1801 +1316 whale_0x8ebd 0xb26f9666... Titan Relay
13821597 3 3152 1839 +1313 gateway.fmas_lido 0x850b00e0... Flashbots
13821586 5 3176 1863 +1313 everstake 0x8527d16c... Ultra Sound
13822037 8 3213 1900 +1313 p2porg 0x856b0004... BloXroute Max Profit
13823070 0 3114 1801 +1313 blockdaemon_lido 0x851b00b1... BloXroute Max Profit
13820622 6 3188 1876 +1312 everstake 0x853b0078... BloXroute Max Profit
13827117 1 3125 1814 +1311 ether.fi 0x8db2a99d... Ultra Sound
13824003 0 3112 1801 +1311 ether.fi 0xb26f9666... Titan Relay
13822523 1 3123 1814 +1309 p2porg 0xb26f9666... BloXroute Regulated
13827193 1 3121 1814 +1307 p2porg 0x853b0078... BloXroute Regulated
13820947 5 3170 1863 +1307 kiln 0xac23f8cc... BloXroute Max Profit
13826526 5 3170 1863 +1307 kiln 0x850b00e0... BloXroute Max Profit
13820516 8 3207 1900 +1307 kiln 0xb67eaa5e... BloXroute Regulated
13824482 0 3108 1801 +1307 figment 0xb26f9666... Titan Relay
13823737 6 3182 1876 +1306 whale_0xdd6c 0x853b0078... Aestus
13822309 0 3107 1801 +1306 everstake 0xb67eaa5e... BloXroute Regulated
13823376 2 3131 1826 +1305 p2porg 0x8db2a99d... BloXroute Max Profit
13820747 6 3179 1876 +1303 everstake 0xb26f9666... Titan Relay
13825213 12 3253 1950 +1303 solo_stakers 0xb26f9666... Ultra Sound
13825334 5 3166 1863 +1303 ether.fi 0x856b0004... Agnostic Gnosis
13823113 10 3226 1925 +1301 everstake 0x853b0078... Aestus
13824747 0 3102 1801 +1301 p2porg 0x852b0070... BloXroute Max Profit
13825212 7 3188 1888 +1300 kiln 0x88a53ec4... BloXroute Regulated
13823114 0 3100 1801 +1299 p2porg 0xb26f9666... Titan Relay
13825254 0 3099 1801 +1298 everstake 0xb26f9666... Aestus
13821435 0 3096 1801 +1295 p2porg 0x88cd924c... Aestus
13823980 0 3094 1801 +1293 ether.fi 0xb26f9666... Titan Relay
13823762 0 3093 1801 +1292 p2porg 0xb26f9666... BloXroute Regulated
13822488 6 3166 1876 +1290 everstake 0x8527d16c... Ultra Sound
13827365 8 3188 1900 +1288 mantle 0x8db2a99d... Flashbots
13826697 0 3089 1801 +1288 p2porg 0xb26f9666... BloXroute Regulated
13820681 0 3089 1801 +1288 ether.fi 0x8db2a99d... Flashbots
13825838 2 3113 1826 +1287 kiln 0x856b0004... Agnostic Gnosis
13822274 3 3124 1839 +1285 solo_stakers 0xb26f9666... Aestus
Total anomalies: 369

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