Wed, Feb 18, 2026

Propagation anomalies - 2026-02-18

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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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-02-18' AND slot_start_date_time < '2026-02-18'::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,182
MEV blocks: 6,676 (93.0%)
Local blocks: 506 (7.0%)

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 = 1736.3 + 19.23 × blob_count (R² = 0.017)
Residual σ = 643.0ms
Anomalies (>2σ slow): 400 (5.6%)
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
13717919 12 6188 1967 +4221 solo_stakers Local Local
13713632 0 4421 1736 +2685 whale_0x8ebd Local Local
13715656 0 4342 1736 +2606 everstake Local Local
13715360 4 4148 1813 +2335 upbit Local Local
13717568 0 3999 1736 +2263 Local Local
13716640 0 3971 1736 +2235 Local Local
13715032 0 3954 1736 +2218 nethermind_lido Local Local
13719286 0 3851 1736 +2115 everstake Local Local
13714786 2 3873 1775 +2098 nethermind_lido 0x856b0004... Agnostic Gnosis
13716832 0 3831 1736 +2095 nethermind_lido Local Local
13718796 3 3850 1794 +2056 whale_0x8ebd 0xb4ce6162... Ultra Sound
13713646 0 3783 1736 +2047 nethermind_lido 0x83bee517... Flashbots
13713344 0 3746 1736 +2010 everstake_lido Local Local
13717365 3 3802 1794 +2008 whale_0x8ebd 0xb4ce6162... Ultra Sound
13715968 11 3905 1948 +1957 bitstamp 0x88a53ec4... BloXroute Regulated
13719232 7 3817 1871 +1946 blockdaemon 0x850b00e0... BloXroute Regulated
13716599 0 3664 1736 +1928 binance 0xb26f9666... Aestus
13713408 0 3626 1736 +1890 Local Local
13713698 3 3670 1794 +1876 0x88857150... Ultra Sound
13719293 0 3557 1736 +1821 ether.fi 0x8527d16c... EthGas
13716626 1 3567 1756 +1811 everstake 0x856b0004... Agnostic Gnosis
13717696 4 3618 1813 +1805 blockdaemon 0x88857150... Ultra Sound
13714141 6 3651 1852 +1799 0xb67eaa5e... Titan Relay
13716945 5 3618 1832 +1786 everstake 0xb4ce6162... Ultra Sound
13712414 6 3637 1852 +1785 everstake 0xa230e2cf... BloXroute Max Profit
13714108 4 3588 1813 +1775 whale_0xdd6c 0xb26f9666... Titan Relay
13717134 0 3505 1736 +1769 revolut 0x852b0070... Ultra Sound
13714525 0 3502 1736 +1766 figment 0x852b0070... Ultra Sound
13717733 0 3502 1736 +1766 revolut 0x88857150... Ultra Sound
13716150 8 3638 1890 +1748 whale_0xdc8d 0xb26f9666... Titan Relay
13713037 4 3558 1813 +1745 figment 0x8527d16c... Ultra Sound
13714513 0 3479 1736 +1743 everstake 0xb26f9666... Titan Relay
13714976 0 3474 1736 +1738 everstake 0xb26f9666... Aestus
13717682 2 3512 1775 +1737 nethermind_lido 0xb26f9666... Titan Relay
13715619 0 3467 1736 +1731 nethermind_lido 0xb26f9666... Titan Relay
13717420 0 3460 1736 +1724 blockdaemon 0x8a850621... Titan Relay
13716678 1 3474 1756 +1718 everstake 0xb26f9666... Titan Relay
13712434 0 3448 1736 +1712 solo_stakers Local Local
13713031 7 3572 1871 +1701 0x8527d16c... Ultra Sound
13713814 0 3437 1736 +1701 blockdaemon_lido 0x8527d16c... Ultra Sound
13713944 5 3533 1832 +1701 blockdaemon 0x857b0038... Ultra Sound
13712417 5 3531 1832 +1699 0x8527d16c... Ultra Sound
13716226 0 3429 1736 +1693 everstake 0xb26f9666... Titan Relay
13718734 9 3598 1909 +1689 0x853b0078... Titan Relay
13717533 0 3424 1736 +1688 lido 0xb67eaa5e... BloXroute Regulated
13714570 1 3442 1756 +1686 nethermind_lido 0x823e0146... Flashbots
13715446 6 3537 1852 +1685 ether.fi 0x850b00e0... BloXroute Max Profit
13713280 0 3416 1736 +1680 stakingfacilities_lido 0x856b0004... Agnostic Gnosis
13716302 5 3508 1832 +1676 nethermind_lido 0x8db2a99d... BloXroute Max Profit
13718181 6 3527 1852 +1675 everstake 0x850b00e0... BloXroute Max Profit
13717120 8 3555 1890 +1665 nethermind_lido 0x88a53ec4... BloXroute Regulated
13712704 0 3401 1736 +1665 nethermind_lido 0xb26f9666... Aestus
13713952 5 3496 1832 +1664 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13719257 6 3511 1852 +1659 coinbase 0x8db2a99d... BloXroute Max Profit
13716229 3 3452 1794 +1658 blockdaemon 0x850b00e0... Ultra Sound
13716165 3 3449 1794 +1655 coinbase 0x88857150... Ultra Sound
13719576 11 3596 1948 +1648 revolut 0x856b0004... Ultra Sound
13718046 8 3526 1890 +1636 solo_stakers 0x8527d16c... Ultra Sound
13718208 0 3369 1736 +1633 bitstamp 0x823e0146... BloXroute Max Profit
13714828 13 3618 1986 +1632 revolut 0x88857150... Ultra Sound
13715275 6 3479 1852 +1627 blockdaemon 0x8a850621... Titan Relay
13715650 5 3459 1832 +1627 blockdaemon_lido 0x850b00e0... BloXroute Max Profit
13718907 3 3416 1794 +1622 everstake 0xb26f9666... Titan Relay
13716739 7 3491 1871 +1620 everstake 0xb26f9666... Titan Relay
13716601 1 3375 1756 +1619 everstake 0xb26f9666... BloXroute Max Profit
13714343 0 3352 1736 +1616 everstake 0x8527d16c... Ultra Sound
13716418 0 3348 1736 +1612 nethermind_lido 0xb26f9666... BloXroute Max Profit
13714622 8 3494 1890 +1604 ether.fi 0x856b0004... Agnostic Gnosis
13719216 0 3337 1736 +1601 everstake 0x852b0070... BloXroute Max Profit
13714260 5 3429 1832 +1597 ether.fi 0xb26f9666... Titan Relay
13717241 4 3408 1813 +1595 ether.fi 0x850b00e0... BloXroute Max Profit
13714733 5 3424 1832 +1592 everstake 0xb67eaa5e... BloXroute Regulated
13713759 5 3424 1832 +1592 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13712468 3 3385 1794 +1591 blockdaemon 0x8a850621... Titan Relay
13717567 2 3365 1775 +1590 everstake 0x88857150... Ultra Sound
13716167 0 3326 1736 +1590 ether.fi 0xb26f9666... Titan Relay
13712630 2 3361 1775 +1586 abyss_finance 0x88857150... Ultra Sound
13713691 8 3472 1890 +1582 blockdaemon 0x850b00e0... BloXroute Max Profit
13716134 5 3413 1832 +1581 everstake 0xb26f9666... Aestus
13718235 3 3371 1794 +1577 everstake 0xb26f9666... Titan Relay
13714459 6 3427 1852 +1575 everstake 0xb26f9666... Titan Relay
13713389 3 3362 1794 +1568 everstake 0xb26f9666... Titan Relay
13714359 6 3419 1852 +1567 lido 0x8527d16c... Ultra Sound
13715845 6 3415 1852 +1563 blockdaemon 0x88a53ec4... BloXroute Max Profit
13716356 12 3529 1967 +1562 nethermind_lido 0xb26f9666... Titan Relay
13719276 5 3392 1832 +1560 coinbase 0xb4ce6162... Ultra Sound
13719414 3 3352 1794 +1558 blockdaemon_lido 0x88857150... Ultra Sound
13712695 5 3390 1832 +1558 everstake 0xb26f9666... Titan Relay
13714029 5 3389 1832 +1557 ether.fi 0x88857150... Ultra Sound
13718863 7 3424 1871 +1553 blockdaemon_lido 0x88857150... Ultra Sound
13714639 3 3347 1794 +1553 everstake 0x856b0004... Agnostic Gnosis
13716789 11 3500 1948 +1552 0x88a53ec4... BloXroute Regulated
13718309 8 3442 1890 +1552 ether.fi 0xb67eaa5e... EthGas
13715638 0 3288 1736 +1552 kraken 0xb26f9666... EthGas
13714985 9 3461 1909 +1552 everstake 0xb26f9666... Titan Relay
13715700 11 3499 1948 +1551 everstake 0xb26f9666... Titan Relay
13715885 2 3324 1775 +1549 blockdaemon 0x856b0004... Ultra Sound
13716838 4 3362 1813 +1549 everstake 0x856b0004... Aestus
13712785 0 3280 1736 +1544 blockdaemon 0x850b00e0... BloXroute Regulated
13716175 5 3374 1832 +1542 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13716397 0 3277 1736 +1541 blockdaemon_lido 0x856b0004... Ultra Sound
13715651 11 3487 1948 +1539 everstake 0x856b0004... Aestus
13716743 8 3429 1890 +1539 solo_stakers 0x856b0004... Agnostic Gnosis
13717878 5 3370 1832 +1538 everstake 0x8527d16c... Ultra Sound
13713341 10 3466 1929 +1537 nethermind_lido 0x850b00e0... BloXroute Max Profit
13717770 0 3272 1736 +1536 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13714043 3 3329 1794 +1535 everstake 0xb26f9666... Titan Relay
13718190 0 3264 1736 +1528 blockdaemon 0x851b00b1... Ultra Sound
13714822 7 3398 1871 +1527 everstake 0xb26f9666... Aestus
13716552 5 3359 1832 +1527 everstake 0xb26f9666... Aestus
13719309 7 3396 1871 +1525 stakingfacilities_lido 0x8527d16c... Ultra Sound
13714900 0 3259 1736 +1523 nethermind_lido 0x852b0070... Aestus
13717090 18 3604 2082 +1522 ether.fi 0x8a850621... EthGas
13715730 1 3277 1756 +1521 blockdaemon_lido 0xb26f9666... Titan Relay
13713466 1 3275 1756 +1519 everstake 0x856b0004... Agnostic Gnosis
13713252 5 3350 1832 +1518 everstake 0x8527d16c... Ultra Sound
13717312 21 3653 2140 +1513 everstake 0xb26f9666... Titan Relay
13717695 7 3383 1871 +1512 everstake 0x857b0038... Ultra Sound
13714445 0 3248 1736 +1512 whale_0x8ebd 0x857b0038... Ultra Sound
13714434 1 3267 1756 +1511 nethermind_lido 0x856b0004... Ultra Sound
13715843 5 3338 1832 +1506 coinbase 0xb26f9666... Aestus
13715204 0 3241 1736 +1505 kraken 0x8527d16c... Ultra Sound
13719233 0 3238 1736 +1502 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13715663 8 3391 1890 +1501 coinbase 0xb26f9666... Titan Relay
13714269 6 3352 1852 +1500 luno 0xb26f9666... Titan Relay
13718941 5 3332 1832 +1500 blockdaemon 0x8527d16c... Ultra Sound
13712853 8 3389 1890 +1499 everstake 0x855b00e6... Ultra Sound
13718814 8 3388 1890 +1498 blockdaemon 0x88510a78... BloXroute Regulated
13715486 5 3330 1832 +1498 blockdaemon 0x88a53ec4... BloXroute Regulated
13719338 11 3444 1948 +1496 everstake 0x856b0004... Aestus
13718252 0 3231 1736 +1495 blockdaemon_lido 0x8527d16c... Ultra Sound
13712540 3 3287 1794 +1493 everstake 0xb26f9666... Titan Relay
13713640 3 3285 1794 +1491 blockdaemon_lido 0x8527d16c... Ultra Sound
13716965 0 3226 1736 +1490 luno 0x88510a78... BloXroute Regulated
13716879 2 3262 1775 +1487 blockdaemon 0xb67eaa5e... BloXroute Regulated
13716079 3 3281 1794 +1487 nethermind_lido 0x855b00e6... BloXroute Max Profit
13717154 2 3261 1775 +1486 nethermind_lido 0x850b00e0... BloXroute Max Profit
13716815 0 3222 1736 +1486 blockdaemon 0xa9bd259c... Ultra Sound
13717376 13 3471 1986 +1485 p2porg 0x850b00e0... BloXroute Regulated
13716659 4 3296 1813 +1483 blockdaemon 0x88857150... Ultra Sound
13713061 5 3311 1832 +1479 blockdaemon_lido 0x8527d16c... Ultra Sound
13718064 5 3309 1832 +1477 blockdaemon 0x88857150... Ultra Sound
13712987 4 3289 1813 +1476 everstake 0xb26f9666... Titan Relay
13718482 5 3307 1832 +1475 blockdaemon_lido 0xb26f9666... Titan Relay
13713726 6 3326 1852 +1474 blockdaemon 0x850b00e0... BloXroute Regulated
13715648 3 3268 1794 +1474 whale_0x8ebd 0x855b00e6... Flashbots
13717144 3 3267 1794 +1473 ether.fi 0x850b00e0... Flashbots
13716933 0 3209 1736 +1473 gateway.fmas_lido 0x851b00b1... BloXroute Max Profit
13716614 0 3208 1736 +1472 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13712923 11 3419 1948 +1471 p2porg 0x850b00e0... BloXroute Regulated
13718115 6 3322 1852 +1470 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13716352 0 3206 1736 +1470 blockscape_lido 0x8527d16c... Ultra Sound
13715394 5 3302 1832 +1470 luno 0x8527d16c... Ultra Sound
13716080 5 3302 1832 +1470 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13714334 1 3225 1756 +1469 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13713655 11 3417 1948 +1469 everstake 0xb26f9666... Titan Relay
13714541 6 3320 1852 +1468 whale_0xdc8d 0xb67eaa5e... BloXroute Max Profit
13712848 2 3243 1775 +1468 nethermind_lido 0x850b00e0... BloXroute Max Profit
13718010 8 3358 1890 +1468 everstake 0xb26f9666... Titan Relay
13714401 8 3357 1890 +1467 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13713779 9 3376 1909 +1467 everstake 0x856b0004... Aestus
13717494 5 3298 1832 +1466 blockdaemon 0x88510a78... BloXroute Regulated
13714278 2 3239 1775 +1464 blockdaemon 0x850b00e0... BloXroute Regulated
13714969 6 3314 1852 +1462 stakingfacilities_lido 0xb67eaa5e... BloXroute Regulated
13714876 3 3255 1794 +1461 blockdaemon_lido 0x8527d16c... Ultra Sound
13712484 3 3254 1794 +1460 0xb67eaa5e... BloXroute Regulated
13716775 4 3273 1813 +1460 luno 0x8527d16c... Ultra Sound
13714764 3 3250 1794 +1456 revolut 0xb26f9666... Titan Relay
13715930 0 3190 1736 +1454 blockdaemon_lido 0x8527d16c... Ultra Sound
13714741 3 3247 1794 +1453 nethermind_lido 0x88857150... Ultra Sound
13714847 5 3285 1832 +1453 blockdaemon 0xb26f9666... Titan Relay
13718256 6 3304 1852 +1452 blockdaemon 0x8527d16c... Ultra Sound
13713285 4 3264 1813 +1451 blockdaemon_lido 0xb26f9666... Titan Relay
13714356 0 3185 1736 +1449 blockdaemon_lido 0xb26f9666... Titan Relay
13719089 5 3281 1832 +1449 ether.fi 0x8527d16c... Ultra Sound
13719234 14 3453 2005 +1448 whale_0x8ebd 0x857b0038... Ultra Sound
13718553 5 3279 1832 +1447 solo_stakers 0x88857150... Ultra Sound
13713223 3 3240 1794 +1446 blockdaemon 0x855b00e6... Ultra Sound
13716322 3 3240 1794 +1446 blockdaemon 0x8527d16c... Ultra Sound
13716333 1 3201 1756 +1445 whale_0x8ebd 0x857b0038... Ultra Sound
13716990 16 3488 2044 +1444 0x88857150... Ultra Sound
13716584 0 3180 1736 +1444 nethermind_lido 0x8527d16c... Ultra Sound
13717168 7 3314 1871 +1443 blockdaemon 0xb26f9666... Titan Relay
13714649 5 3274 1832 +1442 p2porg 0x855b00e6... Flashbots
13719375 11 3389 1948 +1441 everstake 0x8db2a99d... BloXroute Max Profit
13713301 3 3235 1794 +1441 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13713314 0 3177 1736 +1441 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13716266 0 3175 1736 +1439 whale_0x8ebd 0x851b00b1... BloXroute Max Profit
13714965 10 3367 1929 +1438 blockdaemon_lido 0x8527d16c... Ultra Sound
13719219 0 3174 1736 +1438 everstake 0x926b7905... BloXroute Max Profit
13715820 6 3288 1852 +1436 0x850b00e0... BloXroute Max Profit
13715398 2 3209 1775 +1434 stakingfacilities_lido 0x856b0004... Ultra Sound
13716292 8 3324 1890 +1434 kelp 0x88a53ec4... BloXroute Max Profit
13718087 0 3170 1736 +1434 0x852b0070... Agnostic Gnosis
13718412 3 3227 1794 +1433 0x850b00e0... BloXroute Regulated
13714641 10 3361 1929 +1432 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13713696 8 3322 1890 +1432 everstake 0xb26f9666... Titan Relay
13715877 5 3264 1832 +1432 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13714253 3 3224 1794 +1430 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13715533 8 3320 1890 +1430 gateway.fmas_lido 0x850b00e0... BloXroute Regulated
13716122 5 3260 1832 +1428 nethermind_lido 0x855b00e6... BloXroute Max Profit
13714312 1 3183 1756 +1427 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13715846 0 3163 1736 +1427 p2porg 0x852b0070... BloXroute Max Profit
13712451 11 3371 1948 +1423 nethermind_lido 0x850b00e0... BloXroute Max Profit
13719243 5 3254 1832 +1422 origin_protocol 0xb26f9666... Titan Relay
13717011 16 3462 2044 +1418 everstake 0x88857150... Ultra Sound
13717702 9 3327 1909 +1418 everstake 0xb26f9666... Titan Relay
13718385 8 3307 1890 +1417 blockdaemon 0xb7c5beef... Titan Relay
13717456 7 3285 1871 +1414 nethermind_lido 0x823e0146... Flashbots
13718930 8 3304 1890 +1414 luno 0x88857150... Ultra Sound
13712407 8 3304 1890 +1414 revolut 0xb26f9666... Titan Relay
13718931 2 3188 1775 +1413 p2porg 0x82c466b9... Flashbots
13719481 4 3226 1813 +1413 0x850b00e0... BloXroute Max Profit
13712448 0 3149 1736 +1413 ether.fi 0x852b0070... Aestus
13715765 1 3168 1756 +1412 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13714963 3 3205 1794 +1411 p2porg 0x856b0004... Aestus
13712660 5 3243 1832 +1411 whale_0xdc8d 0x8527d16c... Ultra Sound
13714095 3 3204 1794 +1410 whale_0xdc8d 0xb26f9666... Titan Relay
13717418 3 3204 1794 +1410 gateway.fmas_lido 0x853b0078... Agnostic Gnosis
13718387 0 3144 1736 +1408 blockdaemon_lido 0x8527d16c... Ultra Sound
13717610 8 3297 1890 +1407 p2porg 0xb26f9666... BloXroute Max Profit
13714705 10 3334 1929 +1405 everstake 0x856b0004... Aestus
13718608 10 3333 1929 +1404 blockdaemon_lido 0x856b0004... Ultra Sound
13713245 8 3294 1890 +1404 blockdaemon 0x88a53ec4... BloXroute Regulated
13714440 1 3158 1756 +1402 ether.fi 0x856b0004... Agnostic Gnosis
13713710 9 3311 1909 +1402 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13716268 9 3310 1909 +1401 blockdaemon 0x88857150... Ultra Sound
13713870 5 3233 1832 +1401 bitstamp 0x88a53ec4... BloXroute Regulated
13718865 5 3233 1832 +1401 blockdaemon_lido 0xb26f9666... Titan Relay
13714005 2 3175 1775 +1400 ether.fi 0x88857150... Ultra Sound
13715443 3 3194 1794 +1400 p2porg 0x850b00e0... BloXroute Regulated
13714443 1 3155 1756 +1399 everstake 0xb67eaa5e... BloXroute Max Profit
13712934 5 3231 1832 +1399 p2porg 0xb67eaa5e... BloXroute Regulated
13712456 5 3230 1832 +1398 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13718247 5 3228 1832 +1396 revolut 0x8527d16c... Ultra Sound
13712924 4 3207 1813 +1394 0xb67eaa5e... BloXroute Max Profit
13717884 0 3130 1736 +1394 everstake 0x805e28e6... Flashbots
13715549 5 3225 1832 +1393 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13713794 4 3205 1813 +1392 p2porg 0x850b00e0... BloXroute Regulated
13715280 1 3147 1756 +1391 0xb7c5c39a... BloXroute Max Profit
13717559 8 3281 1890 +1391 ether.fi 0xb67eaa5e... BloXroute Max Profit
13719266 5 3223 1832 +1391 0x853b0078... Agnostic Gnosis
13719198 5 3223 1832 +1391 stakingfacilities_lido 0x8527d16c... Ultra Sound
13718778 6 3241 1852 +1389 0xb26f9666... BloXroute Max Profit
13718776 6 3240 1852 +1388 kiln 0x88a53ec4... BloXroute Regulated
13715893 7 3256 1871 +1385 p2porg 0xb67eaa5e... BloXroute Max Profit
13714241 6 3236 1852 +1384 blockdaemon 0x8527d16c... Ultra Sound
13713561 4 3197 1813 +1384 p2porg 0x850b00e0... BloXroute Regulated
13718785 6 3234 1852 +1382 0x855b00e6... BloXroute Max Profit
13715960 9 3289 1909 +1380 0x850b00e0... BloXroute Max Profit
13713021 9 3289 1909 +1380 whale_0xdc8d 0xb26f9666... Titan Relay
13715357 0 3115 1736 +1379 0x823e0146... BloXroute Max Profit
13714834 5 3211 1832 +1379 gateway.fmas_lido 0x856b0004... Aestus
13719253 5 3211 1832 +1379 0x88a53ec4... BloXroute Max Profit
13715241 2 3153 1775 +1378 everstake 0x850b00e0... BloXroute Max Profit
13716273 3 3171 1794 +1377 everstake 0xb26f9666... Titan Relay
13718212 3 3171 1794 +1377 p2porg 0xb26f9666... Titan Relay
13717912 5 3208 1832 +1376 whale_0x7c1b 0xb67eaa5e... BloXroute Max Profit
13714595 5 3208 1832 +1376 kiln 0x8527d16c... Ultra Sound
13719516 8 3264 1890 +1374 mantle 0x860d4173... Flashbots
13712488 5 3206 1832 +1374 nethermind_lido 0x8527d16c... Ultra Sound
13716610 3 3167 1794 +1373 everstake 0x850b00e0... BloXroute Max Profit
13715429 10 3299 1929 +1370 blockdaemon 0x8527d16c... Ultra Sound
13712477 8 3259 1890 +1369 p2porg 0x88a53ec4... BloXroute Max Profit
13718414 3 3160 1794 +1366 everstake 0x88a53ec4... BloXroute Regulated
13719228 9 3274 1909 +1365 gateway.fmas_lido 0x8527d16c... Ultra Sound
13718750 18 3446 2082 +1364 everstake 0xb7c5beef... Titan Relay
13714147 1 3119 1756 +1363 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13715319 5 3195 1832 +1363 ether.fi 0x823e0146... BloXroute Max Profit
13716495 7 3232 1871 +1361 gateway.fmas_lido 0x88857150... Ultra Sound
13713535 3 3153 1794 +1359 kelp 0x8527d16c... Ultra Sound
13716833 0 3094 1736 +1358 myetherwallet 0x805e28e6... Flashbots
13717759 5 3190 1832 +1358 everstake 0x850b00e0... BloXroute Max Profit
13719290 5 3190 1832 +1358 ether.fi 0xb67eaa5e... BloXroute Regulated
13714512 8 3247 1890 +1357 p2porg 0x88a53ec4... BloXroute Max Profit
13719527 3 3150 1794 +1356 solo_stakers Local Local
13712663 0 3092 1736 +1356 everstake 0x87cc2536... Aestus
13713745 5 3186 1832 +1354 ether.fi 0xb67eaa5e... BloXroute Max Profit
13715379 6 3205 1852 +1353 blockdaemon 0x8527d16c... Ultra Sound
13713549 12 3320 1967 +1353 nethermind_lido 0x850b00e0... BloXroute Max Profit
13717523 0 3089 1736 +1353 kelp 0x8527d16c... Ultra Sound
13712543 0 3088 1736 +1352 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13714390 2 3126 1775 +1351 p2porg 0x8527d16c... Ultra Sound
13714014 13 3337 1986 +1351 kiln 0xb26f9666... BloXroute Max Profit
13713310 9 3260 1909 +1351 blockdaemon_lido 0x8527d16c... Ultra Sound
13717720 0 3085 1736 +1349 p2porg 0x88857150... Ultra Sound
13715317 11 3295 1948 +1347 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13719591 5 3179 1832 +1347 blockdaemon_lido 0xb26f9666... Ultra Sound
13719248 0 3082 1736 +1346 abyss_finance 0x852b0070... Agnostic Gnosis
13716533 11 3293 1948 +1345 blockdaemon 0xb26f9666... Titan Relay
13714950 0 3081 1736 +1345 whale_0x8ebd 0x8527d16c... Ultra Sound
13713928 7 3215 1871 +1344 nethermind_lido 0x823e0146... Flashbots
13717688 0 3079 1736 +1343 p2porg 0x853b0078... Titan Relay
13719444 0 3078 1736 +1342 p2porg 0x88857150... Ultra Sound
13715359 0 3078 1736 +1342 ether.fi 0x8527d16c... Ultra Sound
13716709 9 3251 1909 +1342 nethermind_lido 0x856b0004... Agnostic Gnosis
13719206 2 3115 1775 +1340 ether.fi 0xb26f9666... Titan Relay
13714250 12 3307 1967 +1340 p2porg 0xb67eaa5e... BloXroute Max Profit
13715708 3 3133 1794 +1339 p2porg 0xb26f9666... BloXroute Max Profit
13713343 0 3075 1736 +1339 p2porg 0xb67eaa5e... BloXroute Regulated
13715047 21 3478 2140 +1338 blockdaemon 0x850b00e0... BloXroute Regulated
13718983 0 3074 1736 +1338 ether.fi 0xb26f9666... Titan Relay
13715314 13 3323 1986 +1337 blockdaemon_lido 0xb26f9666... Titan Relay
13715297 0 3073 1736 +1337 everstake 0x856b0004... Aestus
13717076 5 3169 1832 +1337 everstake 0x88a53ec4... BloXroute Regulated
13717576 7 3207 1871 +1336 whale_0x8ebd 0x8a850621... Titan Relay
13714131 8 3225 1890 +1335 0x850b00e0... BloXroute Regulated
13713034 8 3222 1890 +1332 everstake 0x88a53ec4... BloXroute Max Profit
13716806 5 3164 1832 +1332 0xb67eaa5e... BloXroute Regulated
13717681 10 3260 1929 +1331 ether.fi 0x853b0078... Ultra Sound
13718463 15 3356 2025 +1331 0xb26f9666... BloXroute Max Profit
13714207 0 3067 1736 +1331 everstake 0x8527d16c... Ultra Sound
13717457 0 3067 1736 +1331 kelp 0x8527d16c... Ultra Sound
13719186 3 3123 1794 +1329 0xb26f9666... BloXroute Max Profit
13718961 0 3064 1736 +1328 ether.fi 0xb7c5beef... Titan Relay
13712951 14 3333 2005 +1328 blockdaemon 0x8527d16c... Ultra Sound
13718217 2 3102 1775 +1327 everstake 0xb26f9666... Aestus
13713438 0 3063 1736 +1327 mantle 0x8527d16c... Ultra Sound
13717799 4 3139 1813 +1326 whale_0xdd6c 0x853b0078... Aestus
13715290 10 3254 1929 +1325 kelp 0xb26f9666... BloXroute Regulated
13716513 11 3273 1948 +1325 blockdaemon 0xb26f9666... Titan Relay
13712991 0 3061 1736 +1325 p2porg 0xb26f9666... Titan Relay
13714673 9 3233 1909 +1324 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13719149 7 3194 1871 +1323 gateway.fmas_lido 0x88857150... Ultra Sound
13714140 0 3059 1736 +1323 everstake 0x8527d16c... Ultra Sound
13712707 0 3059 1736 +1323 mantle 0x8527d16c... Ultra Sound
13712568 6 3174 1852 +1322 0xb26f9666... BloXroute Regulated
13719046 0 3058 1736 +1322 p2porg 0xb67eaa5e... BloXroute Max Profit
13716889 0 3058 1736 +1322 kelp 0x851b00b1... BloXroute Max Profit
13717226 13 3307 1986 +1321 blockdaemon_lido 0xb26f9666... Titan Relay
13717254 6 3172 1852 +1320 ether.fi 0x88857150... Ultra Sound
13716901 8 3210 1890 +1320 everstake 0x8527d16c... Ultra Sound
13719075 0 3054 1736 +1318 ether.fi 0x823e0146... Flashbots
13715181 9 3227 1909 +1318 0x8527d16c... Ultra Sound
13715610 0 3053 1736 +1317 everstake 0xb26f9666... Titan Relay
13712988 5 3149 1832 +1317 mantle 0xb67eaa5e... BloXroute Max Profit
13712895 4 3129 1813 +1316 p2porg 0x88a53ec4... BloXroute Regulated
13715732 13 3302 1986 +1316 0xb26f9666... BloXroute Max Profit
13718394 8 3205 1890 +1315 p2porg 0x850b00e0... BloXroute Regulated
13716958 0 3051 1736 +1315 whale_0xedc6 0x852b0070... Agnostic Gnosis
13718427 2 3089 1775 +1314 p2porg 0xb26f9666... BloXroute Regulated
13715660 20 3435 2121 +1314 binance 0x8a850621... Ultra Sound
13719553 0 3050 1736 +1314 p2porg 0x853b0078... Agnostic Gnosis
13718858 1 3069 1756 +1313 ether.fi 0x8527d16c... Ultra Sound
13713604 0 3049 1736 +1313 everstake 0x856b0004... Agnostic Gnosis
13715840 0 3048 1736 +1312 ether.fi 0x852b0070... Agnostic Gnosis
13718797 9 3221 1909 +1312 kraken 0xb26f9666... Titan Relay
13712503 5 3144 1832 +1312 0xb26f9666... BloXroute Regulated
13719525 3 3104 1794 +1310 p2porg 0x853b0078... Agnostic Gnosis
13714171 6 3161 1852 +1309 gateway.fmas_lido 0x8527d16c... Ultra Sound
13718503 8 3197 1890 +1307 p2porg 0x8527d16c... Ultra Sound
13715091 21 3446 2140 +1306 stakingfacilities_lido 0x88a53ec4... BloXroute Max Profit
13713226 3 3099 1794 +1305 0x88857150... Ultra Sound
13717543 0 3041 1736 +1305 everstake 0xb26f9666... Titan Relay
13714258 9 3214 1909 +1305 origin_protocol 0x850b00e0... BloXroute Max Profit
13716871 3 3098 1794 +1304 ether.fi 0x8527d16c... Ultra Sound
13714490 3 3098 1794 +1304 p2porg 0x856b0004... Agnostic Gnosis
13717062 3 3098 1794 +1304 everstake 0x8527d16c... Ultra Sound
13713125 9 3213 1909 +1304 ether.fi 0x8527d16c... Ultra Sound
13719172 5 3136 1832 +1304 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13712904 1 3059 1756 +1303 whale_0x8ebd 0xb7c5e609... BloXroute Max Profit
13714831 7 3174 1871 +1303 gateway.fmas_lido 0x8527d16c... Ultra Sound
13717624 0 3039 1736 +1303 0x99dbe3e8... Agnostic Gnosis
13719574 6 3154 1852 +1302 0x88a53ec4... BloXroute Max Profit
13716190 4 3115 1813 +1302 ether.fi 0x855b00e6... BloXroute Max Profit
13716408 6 3153 1852 +1301 p2porg 0x856b0004... Agnostic Gnosis
13716472 6 3153 1852 +1301 p2porg 0x856b0004... Aestus
13716661 0 3037 1736 +1301 kiln 0x850b00e0... BloXroute Max Profit
13718623 6 3152 1852 +1300 everstake 0x850b00e0... BloXroute Max Profit
13717041 2 3075 1775 +1300 0x8db2a99d... Flashbots
13716516 0 3036 1736 +1300 kelp 0xb26f9666... Titan Relay
13713303 9 3209 1909 +1300 figment 0xb26f9666... Titan Relay
13714487 1 3055 1756 +1299 origin_protocol 0x856b0004... Agnostic Gnosis
13719111 2 3073 1775 +1298 p2porg 0x8527d16c... Ultra Sound
13713332 0 3034 1736 +1298 everstake 0xb26f9666... Titan Relay
13718848 5 3130 1832 +1298 everstake 0x88857150... Ultra Sound
13713666 0 3033 1736 +1297 p2porg 0x8527d16c... Ultra Sound
13717073 5 3129 1832 +1297 0x8527d16c... Ultra Sound
13714634 5 3129 1832 +1297 figment 0x8527d16c... Ultra Sound
13716862 0 3032 1736 +1296 everstake 0x88857150... Ultra Sound
13718866 0 3032 1736 +1296 everstake 0xb26f9666... Titan Relay
13716199 0 3032 1736 +1296 ether.fi 0xb26f9666... Titan Relay
13712485 10 3224 1929 +1295 p2porg 0xb26f9666... Titan Relay
13717630 3 3089 1794 +1295 everstake 0x823e0146... Flashbots
13712844 0 3031 1736 +1295 everstake 0x850b00e0... BloXroute Max Profit
13718735 0 3030 1736 +1294 kelp 0x8527d16c... Ultra Sound
13715693 0 3030 1736 +1294 0xb26f9666... BloXroute Regulated
13712658 5 3126 1832 +1294 p2porg 0xb67eaa5e... BloXroute Max Profit
13716497 0 3029 1736 +1293 figment 0x8527d16c... Ultra Sound
13716802 0 3026 1736 +1290 everstake 0x8527d16c... Ultra Sound
13713084 0 3026 1736 +1290 everstake 0xb26f9666... Titan Relay
13712769 1 3045 1756 +1289 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13714759 8 3178 1890 +1288 whale_0xedc6 0x850b00e0... BloXroute Max Profit
13714579 4 3101 1813 +1288 everstake 0x88857150... Ultra Sound
13714194 4 3101 1813 +1288 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13719220 13 3274 1986 +1288 origin_protocol 0x8db2a99d... BloXroute Max Profit
13718164 9 3197 1909 +1288 kiln 0xb26f9666... BloXroute Max Profit
13713227 11 3235 1948 +1287 0x850b00e0... Flashbots
13716252 0 3023 1736 +1287 p2porg 0xac23f8cc... Flashbots
13716502 1 3042 1756 +1286 p2porg 0xb26f9666... Titan Relay
Total anomalies: 400

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