Mon, Feb 23, 2026

Propagation anomalies - 2026-02-23

Detection of blocks that propagated slower than expected, attempting to find correlations with blob count.

Show code
display_sql("block_production_timeline", target_date)
View query
WITH
-- Base slots using proposer duty as the source of truth
slots AS (
    SELECT DISTINCT
        slot,
        slot_start_date_time,
        proposer_validator_index
    FROM canonical_beacon_proposer_duty
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
),

-- Proposer entity mapping
proposer_entity AS (
    SELECT
        index,
        entity
    FROM ethseer_validator_entity
    WHERE meta_network_name = 'mainnet'
),

-- Blob count per slot
blob_count AS (
    SELECT
        slot,
        uniq(blob_index) AS blob_count
    FROM canonical_beacon_blob_sidecar
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Canonical block hash (to verify MEV payload was actually used)
canonical_block AS (
    SELECT DISTINCT
        slot,
        execution_payload_block_hash
    FROM canonical_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
),

-- MEV bid timing using timestamp_ms
mev_bids AS (
    SELECT
        slot,
        slot_start_date_time,
        min(timestamp_ms) AS first_bid_timestamp_ms,
        max(timestamp_ms) AS last_bid_timestamp_ms
    FROM mev_relay_bid_trace
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
    GROUP BY slot, slot_start_date_time
),

-- MEV payload delivery - join canonical block with delivered payloads
-- Note: Use is_mev flag because ClickHouse LEFT JOIN returns 0 (not NULL) for non-matching rows
-- Get value from proposer_payload_delivered (not bid_trace, which may not have the winning block)
mev_payload AS (
    SELECT
        cb.slot,
        cb.execution_payload_block_hash AS winning_block_hash,
        1 AS is_mev,
        max(pd.value) AS winning_bid_value,
        groupArray(DISTINCT pd.relay_name) AS relay_names,
        any(pd.builder_pubkey) AS winning_builder
    FROM canonical_block cb
    GLOBAL INNER JOIN mev_relay_proposer_payload_delivered pd
        ON cb.slot = pd.slot AND cb.execution_payload_block_hash = pd.block_hash
    WHERE pd.meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
    GROUP BY cb.slot, cb.execution_payload_block_hash
),

-- Winning bid timing from bid_trace (may not exist for all MEV blocks)
winning_bid AS (
    SELECT
        bt.slot,
        bt.slot_start_date_time,
        argMin(bt.timestamp_ms, bt.event_date_time) AS winning_bid_timestamp_ms
    FROM mev_relay_bid_trace bt
    GLOBAL INNER JOIN mev_payload mp ON bt.slot = mp.slot AND bt.block_hash = mp.winning_block_hash
    WHERE bt.meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
    GROUP BY bt.slot, bt.slot_start_date_time
),

-- Block gossip timing with spread
block_gossip AS (
    SELECT
        slot,
        min(event_date_time) AS block_first_seen,
        max(event_date_time) AS block_last_seen
    FROM libp2p_gossipsub_beacon_block
    WHERE meta_network_name = 'mainnet'
      AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
    GROUP BY slot
),

-- Column arrival timing: first arrival per column, then min/max of those
column_gossip AS (
    SELECT
        slot,
        min(first_seen) AS first_column_first_seen,
        max(first_seen) AS last_column_first_seen
    FROM (
        SELECT
            slot,
            column_index,
            min(event_date_time) AS first_seen
        FROM libp2p_gossipsub_data_column_sidecar
        WHERE meta_network_name = 'mainnet'
          AND slot_start_date_time >= '2026-02-23' AND slot_start_date_time < '2026-02-23'::date + INTERVAL 1 DAY
          AND event_date_time > '1970-01-01 00:00:01'
        GROUP BY slot, column_index
    )
    GROUP BY slot
)

SELECT
    s.slot AS slot,
    s.slot_start_date_time AS slot_start_date_time,
    pe.entity AS proposer_entity,

    -- Blob count
    coalesce(bc.blob_count, 0) AS blob_count,

    -- MEV bid timing (absolute and relative to slot start)
    fromUnixTimestamp64Milli(mb.first_bid_timestamp_ms) AS first_bid_at,
    mb.first_bid_timestamp_ms - toInt64(toUnixTimestamp(mb.slot_start_date_time)) * 1000 AS first_bid_ms,
    fromUnixTimestamp64Milli(mb.last_bid_timestamp_ms) AS last_bid_at,
    mb.last_bid_timestamp_ms - toInt64(toUnixTimestamp(mb.slot_start_date_time)) * 1000 AS last_bid_ms,

    -- Winning bid timing (from bid_trace, may be NULL if block hash not in bid_trace)
    if(wb.slot != 0, fromUnixTimestamp64Milli(wb.winning_bid_timestamp_ms), NULL) AS winning_bid_at,
    if(wb.slot != 0, wb.winning_bid_timestamp_ms - toInt64(toUnixTimestamp(s.slot_start_date_time)) * 1000, NULL) AS winning_bid_ms,

    -- MEV payload info (from proposer_payload_delivered, always present for MEV blocks)
    if(mp.is_mev = 1, mp.winning_bid_value, NULL) AS winning_bid_value,
    if(mp.is_mev = 1, mp.relay_names, []) AS winning_relays,
    if(mp.is_mev = 1, mp.winning_builder, NULL) AS winning_builder,

    -- Block gossip timing with spread
    bg.block_first_seen,
    dateDiff('millisecond', s.slot_start_date_time, bg.block_first_seen) AS block_first_seen_ms,
    bg.block_last_seen,
    dateDiff('millisecond', s.slot_start_date_time, bg.block_last_seen) AS block_last_seen_ms,
    dateDiff('millisecond', bg.block_first_seen, bg.block_last_seen) AS block_spread_ms,

    -- Column arrival timing (NULL when no blobs)
    if(coalesce(bc.blob_count, 0) = 0, NULL, cg.first_column_first_seen) AS first_column_first_seen,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', s.slot_start_date_time, cg.first_column_first_seen)) AS first_column_first_seen_ms,
    if(coalesce(bc.blob_count, 0) = 0, NULL, cg.last_column_first_seen) AS last_column_first_seen,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', s.slot_start_date_time, cg.last_column_first_seen)) AS last_column_first_seen_ms,
    if(coalesce(bc.blob_count, 0) = 0, NULL, dateDiff('millisecond', cg.first_column_first_seen, cg.last_column_first_seen)) AS column_spread_ms

FROM slots s
GLOBAL LEFT JOIN proposer_entity pe ON s.proposer_validator_index = pe.index
GLOBAL LEFT JOIN blob_count bc ON s.slot = bc.slot
GLOBAL LEFT JOIN mev_bids mb ON s.slot = mb.slot
GLOBAL LEFT JOIN mev_payload mp ON s.slot = mp.slot
GLOBAL LEFT JOIN winning_bid wb ON s.slot = wb.slot
GLOBAL LEFT JOIN block_gossip bg ON s.slot = bg.slot
GLOBAL LEFT JOIN column_gossip cg ON s.slot = cg.slot

ORDER BY s.slot DESC
Show code
df = load_parquet("block_production_timeline", target_date)

# Filter to valid blocks (exclude missed slots)
df = df[df["block_first_seen_ms"].notna()]
df = df[(df["block_first_seen_ms"] >= 0) & (df["block_first_seen_ms"] < 60000)]

# Flag MEV vs local blocks
df["has_mev"] = df["winning_bid_value"].notna()
df["block_type"] = df["has_mev"].map({True: "MEV", False: "Local"})

# Get max blob count for charts
max_blobs = df["blob_count"].max()

print(f"Total valid blocks: {len(df):,}")
print(f"MEV blocks: {df['has_mev'].sum():,} ({df['has_mev'].mean()*100:.1f}%)")
print(f"Local blocks: {(~df['has_mev']).sum():,} ({(~df['has_mev']).mean()*100:.1f}%)")
Total valid blocks: 7,179
MEV blocks: 6,641 (92.5%)
Local blocks: 538 (7.5%)

Anomaly detection method

The method:

  1. Fit linear regression: block_first_seen_ms ~ blob_count
  2. Calculate residuals (actual - expected)
  3. Flag blocks with residuals > 2σ as anomalies

Points above the ±2σ band propagated slower than expected given their blob count.

Show code
# Conditional outliers: blocks slow relative to their blob count
df_anomaly = df.copy()

# Fit regression: block_first_seen_ms ~ blob_count
slope, intercept, r_value, p_value, std_err = stats.linregress(
    df_anomaly["blob_count"].astype(float), df_anomaly["block_first_seen_ms"]
)

# Calculate expected value and residual
df_anomaly["expected_ms"] = intercept + slope * df_anomaly["blob_count"].astype(float)
df_anomaly["residual_ms"] = df_anomaly["block_first_seen_ms"] - df_anomaly["expected_ms"]

# Calculate residual standard deviation
residual_std = df_anomaly["residual_ms"].std()

# Flag anomalies: residual > 2σ (unexpectedly slow)
df_anomaly["is_anomaly"] = df_anomaly["residual_ms"] > 2 * residual_std

n_anomalies = df_anomaly["is_anomaly"].sum()
pct_anomalies = n_anomalies / len(df_anomaly) * 100

# Prepare outliers dataframe
df_outliers = df_anomaly[df_anomaly["is_anomaly"]].copy()
df_outliers["relay"] = df_outliers["winning_relays"].apply(lambda x: x[0] if len(x) > 0 else "Local")
df_outliers["proposer"] = df_outliers["proposer_entity"].fillna("Unknown")
df_outliers["builder"] = df_outliers["winning_builder"].apply(
    lambda x: f"{x[:10]}..." if pd.notna(x) and x else "Local"
)

print(f"Regression: block_ms = {intercept:.1f} + {slope:.2f} × blob_count (R² = {r_value**2:.3f})")
print(f"Residual σ = {residual_std:.1f}ms")
print(f"Anomalies (>2σ slow): {n_anomalies:,} ({pct_anomalies:.1f}%)")
Regression: block_ms = 1728.0 + 14.41 × blob_count (R² = 0.011)
Residual σ = 631.0ms
Anomalies (>2σ slow): 376 (5.2%)
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
13751959 0 12639 1728 +10911 solo_stakers Local Local
13753312 0 5066 1728 +3338 upbit Local Local
13751680 0 5013 1728 +3285 upbit Local Local
13748903 0 4877 1728 +3149 solo_stakers Local Local
13755271 0 4661 1728 +2933 ether.fi Local Local
13754315 0 4379 1728 +2651 solo_stakers Local Local
13754179 5 4324 1800 +2524 whale_0xba8f Local Local
13752071 4 4196 1786 +2410 whale_0x8ebd 0x8a850621... Titan Relay
13748726 0 3989 1728 +2261 csm_operator171_lido Local Local
13752853 0 3814 1728 +2086 Local Local
13752069 9 3897 1858 +2039 kraken 0x82c466b9... EthGas
13753610 2 3788 1757 +2031 whale_0x8ebd 0xb26f9666... Titan Relay
13753728 16 3984 1959 +2025 upbit Local Local
13754804 0 3728 1728 +2000 piertwo 0x83d6a6ab... Flashbots
13755264 1 3617 1742 +1875 blockdaemon 0x88a53ec4... BloXroute Regulated
13754615 6 3678 1814 +1864 figment 0xb26f9666... BloXroute Regulated
13753897 11 3726 1887 +1839 blockdaemon 0x857b0038... Ultra Sound
13748645 8 3675 1843 +1832 coinbase 0x856b0004... Ultra Sound
13748880 4 3599 1786 +1813 blockdaemon 0xb26f9666... Titan Relay
13750523 0 3531 1728 +1803 blockdaemon 0xb26f9666... Titan Relay
13754914 4 3570 1786 +1784 blockdaemon 0x8527d16c... Ultra Sound
13753245 3 3549 1771 +1778 blockdaemon 0x8527d16c... Ultra Sound
13753748 9 3623 1858 +1765 blockdaemon 0x8527d16c... Ultra Sound
13752306 13 3676 1915 +1761 figment 0x856b0004... Ultra Sound
13751665 6 3559 1814 +1745 lido Local Local
13749849 2 3480 1757 +1723 blockdaemon_lido 0x855b00e6... Ultra Sound
13754943 6 3536 1814 +1722 numic_lido 0x853b0078... Flashbots
13749281 3 3491 1771 +1720 whale_0x2017 0x855b00e6... Flashbots
13753607 12 3619 1901 +1718 ether.fi 0xb26f9666... EthGas
13749472 1 3460 1742 +1718 stakingfacilities_lido 0x8db2a99d... Flashbots
13750980 14 3621 1930 +1691 blockdaemon 0x8527d16c... Ultra Sound
13748854 0 3416 1728 +1688 blockdaemon 0x851b00b1... Ultra Sound
13750448 3 3459 1771 +1688 Local Local
13754068 3 3431 1771 +1660 blockdaemon 0x88857150... Ultra Sound
13751634 3 3429 1771 +1658 everstake 0xb26f9666... Titan Relay
13749289 9 3506 1858 +1648 blockdaemon 0x857b0038... Ultra Sound
13753438 9 3500 1858 +1642 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13749754 6 3456 1814 +1642 luno 0x88a53ec4... BloXroute Regulated
13751725 1 3375 1742 +1633 everstake 0xb26f9666... Titan Relay
13754323 6 3443 1814 +1629 lido 0xb26f9666... Titan Relay
13754424 2 3385 1757 +1628 whale_0xc541 0x8db2a99d... Ultra Sound
13754182 0 3354 1728 +1626 blockdaemon_lido 0x88857150... Ultra Sound
13751114 6 3437 1814 +1623 blockdaemon 0x8a850621... Ultra Sound
13752547 1 3362 1742 +1620 blockdaemon_lido 0xb7c5beef... Titan Relay
13750080 11 3503 1887 +1616 bitstamp 0xb26f9666... Titan Relay
13750924 1 3352 1742 +1610 everstake 0x8527d16c... Ultra Sound
13754765 0 3333 1728 +1605 blockdaemon 0x88857150... Ultra Sound
13749152 2 3346 1757 +1589 stakefish 0xb26f9666... Aestus
13752704 7 3418 1829 +1589 bitstamp 0xb26f9666... Titan Relay
13752340 0 3315 1728 +1587 blockdaemon_lido 0x88857150... Ultra Sound
13750668 0 3315 1728 +1587 whale_0x8ebd 0x8527d16c... Ultra Sound
13750410 0 3313 1728 +1585 ether.fi 0xb211df49... Agnostic Gnosis
13753059 5 3384 1800 +1584 blockdaemon 0xb26f9666... Titan Relay
13750209 2 3338 1757 +1581 blockdaemon_lido 0x855b00e6... Ultra Sound
13749693 5 3381 1800 +1581 whale_0xdc8d 0x82c466b9... BloXroute Regulated
13754660 1 3319 1742 +1577 blockdaemon_lido 0x88857150... Ultra Sound
13750618 6 3388 1814 +1574 blockdaemon_lido 0x88857150... Ultra Sound
13749781 8 3413 1843 +1570 blockdaemon_lido 0x88857150... Ultra Sound
13748452 12 3469 1901 +1568 blockdaemon 0x88857150... Ultra Sound
13750970 3 3339 1771 +1568 blockdaemon 0xb67eaa5e... BloXroute Regulated
13750823 0 3282 1728 +1554 everstake 0xb26f9666... Titan Relay
13751652 14 3483 1930 +1553 ether.fi 0xb67eaa5e... EthGas
13752061 6 3365 1814 +1551 kraken 0x82c466b9... EthGas
13753656 8 3393 1843 +1550 0x88857150... Ultra Sound
13751950 6 3362 1814 +1548 whale_0xdc8d 0x88a53ec4... BloXroute Regulated
13752824 0 3275 1728 +1547 blockdaemon_lido 0x88857150... Ultra Sound
13750079 0 3268 1728 +1540 blockdaemon_lido 0xa230e2cf... BloXroute Regulated
13753790 2 3295 1757 +1538 everstake 0xb67eaa5e... BloXroute Regulated
13750416 1 3275 1742 +1533 everstake 0x853b0078... Agnostic Gnosis
13748584 8 3375 1843 +1532 luno 0x88857150... Ultra Sound
13750910 0 3259 1728 +1531 everstake 0xb26f9666... Titan Relay
13754034 2 3286 1757 +1529 whale_0xdc8d 0x8527d16c... Ultra Sound
13750588 3 3300 1771 +1529 blockdaemon_lido 0x88857150... Ultra Sound
13752980 4 3313 1786 +1527 blockdaemon 0x88857150... Ultra Sound
13753123 9 3381 1858 +1523 everstake 0x856b0004... Agnostic Gnosis
13750037 0 3250 1728 +1522 everstake 0x8527d16c... Ultra Sound
13751228 3 3293 1771 +1522 ether.fi 0x8527d16c... Ultra Sound
13752127 6 3336 1814 +1522 0x88a53ec4... BloXroute Regulated
13750464 8 3360 1843 +1517 rockx_lido Local Local
13753750 5 3314 1800 +1514 blockdaemon 0x82c466b9... BloXroute Regulated
13751025 4 3297 1786 +1511 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13750370 0 3239 1728 +1511 everstake 0x88a53ec4... BloXroute Regulated
13749530 8 3353 1843 +1510 luno 0x8527d16c... Ultra Sound
13754820 6 3322 1814 +1508 blockdaemon 0x88857150... Ultra Sound
13751742 0 3230 1728 +1502 luno 0x852b0070... Ultra Sound
13748472 0 3229 1728 +1501 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13754604 2 3257 1757 +1500 everstake 0xb26f9666... Titan Relay
13749789 3 3271 1771 +1500 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13754767 1 3241 1742 +1499 whale_0xdc8d 0x8527d16c... Ultra Sound
13749213 5 3298 1800 +1498 blockdaemon_lido 0x853b0078... Ultra Sound
13751457 3 3269 1771 +1498 blockdaemon 0xb26f9666... Titan Relay
13752337 1 3240 1742 +1498 everstake 0xb26f9666... Titan Relay
13749017 3 3268 1771 +1497 everstake 0x856b0004... BloXroute Max Profit
13750367 0 3224 1728 +1496 everstake 0xb26f9666... Titan Relay
13751682 6 3310 1814 +1496 solo_stakers 0x856b0004... Agnostic Gnosis
13749568 7 3322 1829 +1493 bridgetower_lido 0x8527d16c... Ultra Sound
13749912 6 3305 1814 +1491 blockdaemon 0x850b00e0... BloXroute Regulated
13750956 11 3376 1887 +1489 luno 0xb26f9666... Titan Relay
13753922 11 3376 1887 +1489 everstake 0x88a53ec4... BloXroute Regulated
13748414 5 3289 1800 +1489 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13751110 8 3331 1843 +1488 blockdaemon 0x856b0004... Ultra Sound
13752450 6 3302 1814 +1488 revolut 0x88857150... Ultra Sound
13751061 14 3416 1930 +1486 everstake 0x8527d16c... Ultra Sound
13750444 12 3385 1901 +1484 blockdaemon 0xb67eaa5e... BloXroute Regulated
13754839 1 3222 1742 +1480 everstake 0x856b0004... BloXroute Max Profit
13750420 0 3206 1728 +1478 everstake 0xb26f9666... Titan Relay
13750043 0 3205 1728 +1477 everstake 0x8527d16c... Ultra Sound
13753535 10 3348 1872 +1476 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13751397 2 3230 1757 +1473 whale_0xdc8d 0x88857150... Ultra Sound
13750769 0 3201 1728 +1473 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13755243 6 3287 1814 +1473 everstake 0xb67eaa5e... BloXroute Regulated
13753082 9 3328 1858 +1470 blockdaemon_lido 0x853b0078... Ultra Sound
13752159 16 3425 1959 +1466 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13753022 4 3252 1786 +1466 gateway.fmas_lido 0x853b0078... Agnostic Gnosis
13753290 0 3194 1728 +1466 everstake 0xb211df49... Agnostic Gnosis
13749267 4 3251 1786 +1465 blockdaemon_lido 0x91b123d8... BloXroute Regulated
13755510 7 3293 1829 +1464 whale_0xdc8d 0x8527d16c... Ultra Sound
13751451 5 3264 1800 +1464 revolut 0x853b0078... Ultra Sound
13753092 0 3191 1728 +1463 senseinode_lido 0xa412c4b8... Flashbots
13751771 8 3306 1843 +1463 luno 0x856b0004... Ultra Sound
13754779 7 3291 1829 +1462 blockdaemon 0x8527d16c... Ultra Sound
13752048 7 3291 1829 +1462 blockdaemon 0xb26f9666... Titan Relay
13750833 9 3316 1858 +1458 blockdaemon 0x8527d16c... Ultra Sound
13751912 9 3314 1858 +1456 luno 0x8527d16c... Ultra Sound
13748861 0 3184 1728 +1456 blockdaemon 0x8527d16c... Ultra Sound
13751028 1 3198 1742 +1456 gateway.fmas_lido 0x856b0004... Ultra Sound
13754303 1 3197 1742 +1455 gateway.fmas_lido 0x88857150... Ultra Sound
13748908 9 3312 1858 +1454 mantle 0x855b00e6... Flashbots
13752863 0 3182 1728 +1454 whale_0x8ebd 0xb3b03e65... Agnostic Gnosis
13752086 3 3225 1771 +1454 whale_0xb6a5 0xb26f9666... Titan Relay
13753929 8 3297 1843 +1454 p2porg 0x850b00e0... BloXroute Max Profit
13754639 6 3265 1814 +1451 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13749691 6 3265 1814 +1451 whale_0xc541 0x8db2a99d... BloXroute Max Profit
13755461 2 3207 1757 +1450 everstake 0x88857150... Ultra Sound
13749847 3 3218 1771 +1447 blockdaemon 0x850b00e0... BloXroute Regulated
13754012 0 3174 1728 +1446 gateway.fmas_lido 0x852b0070... Agnostic Gnosis
13750614 0 3174 1728 +1446 bitstamp 0x8527d16c... Ultra Sound
13749726 8 3289 1843 +1446 blockdaemon_lido 0x8527d16c... Ultra Sound
13749380 11 3331 1887 +1444 everstake 0x853b0078... Aestus
13748650 4 3230 1786 +1444 revolut 0x88510a78... BloXroute Regulated
13750049 0 3172 1728 +1444 blockdaemon 0x8527d16c... Ultra Sound
13754875 1 3186 1742 +1444 nethermind_lido 0xb67eaa5e... BloXroute Regulated
13751460 1 3185 1742 +1443 kiln 0xb7c5beef... Titan Relay
13753550 11 3329 1887 +1442 blockdaemon 0xb26f9666... Titan Relay
13752527 1 3180 1742 +1438 everstake 0x853b0078... Agnostic Gnosis
13755336 7 3266 1829 +1437 figment 0x88a53ec4... BloXroute Regulated
13749732 5 3237 1800 +1437 everstake 0x88857150... Ultra Sound
13752387 15 3381 1944 +1437 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13749528 8 3278 1843 +1435 blockdaemon_lido 0xb26f9666... Titan Relay
13749125 3 3205 1771 +1434 everstake 0xb26f9666... Titan Relay
13751307 13 3348 1915 +1433 blockdaemon 0x850b00e0... BloXroute Regulated
13753330 6 3246 1814 +1432 whale_0x8ebd 0x88857150... Ultra Sound
13753418 15 3374 1944 +1430 whale_0xdc8d 0x856b0004... Ultra Sound
13751410 0 3157 1728 +1429 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13753003 9 3285 1858 +1427 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13755093 8 3270 1843 +1427 gateway.fmas_lido 0x853b0078... Ultra Sound
13750516 5 3225 1800 +1425 everstake 0x8527d16c... Ultra Sound
13750788 3 3196 1771 +1425 everstake 0xb26f9666... Titan Relay
13754476 21 3455 2031 +1424 whale_0xedc6 Local Local
13755481 7 3253 1829 +1424 kiln 0x88a53ec4... BloXroute Regulated
13750623 1 3166 1742 +1424 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13753184 7 3249 1829 +1420 mantle 0x93b11bec... Flashbots
13752169 9 3277 1858 +1419 blockdaemon 0xb7c5beef... Titan Relay
13748603 0 3147 1728 +1419 gateway.fmas_lido 0x852b0070... Ultra Sound
13750220 0 3147 1728 +1419 gateway.fmas_lido 0x8527d16c... Ultra Sound
13754450 1 3161 1742 +1419 gateway.fmas_lido 0xb26f9666... Aestus
13754358 14 3347 1930 +1417 blockdaemon 0x853b0078... Ultra Sound
13754170 1 3157 1742 +1415 gateway.fmas_lido 0x8527d16c... Ultra Sound
13753397 12 3315 1901 +1414 blockdaemon_lido 0x82c466b9... BloXroute Regulated
13752187 20 3430 2016 +1414 p2porg 0x850b00e0... BloXroute Regulated
13752721 1 3155 1742 +1413 everstake 0xb26f9666... Titan Relay
13748399 3 3181 1771 +1410 everstake 0x88857150... Ultra Sound
13750914 7 3238 1829 +1409 revolut 0xb26f9666... Titan Relay
13752320 6 3223 1814 +1409 p2porg 0x856b0004... Aestus
13751423 14 3337 1930 +1407 blockdaemon_lido 0x8527d16c... Ultra Sound
13751449 3 3178 1771 +1407 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13755429 5 3204 1800 +1404 gateway.fmas_lido 0x856b0004... Ultra Sound
13755326 7 3231 1829 +1402 whale_0x8ebd 0x8a850621... Titan Relay
13749589 5 3202 1800 +1402 bitstamp 0x8db2a99d... Flashbots
13751882 11 3288 1887 +1401 blockdaemon_lido 0x8527d16c... Ultra Sound
13753268 12 3302 1901 +1401 blockdaemon 0x853b0078... BloXroute Regulated
13749655 9 3257 1858 +1399 revolut 0xb26f9666... Titan Relay
13752085 10 3270 1872 +1398 binance 0x8a850621... Ultra Sound
13755332 6 3211 1814 +1397 p2porg 0x850b00e0... BloXroute Regulated
13748704 1 3138 1742 +1396 mantle 0xb26f9666... Titan Relay
13754911 0 3123 1728 +1395 everstake 0xb26f9666... Aestus
13750335 0 3123 1728 +1395 everstake 0x852b0070... Agnostic Gnosis
13748481 15 3339 1944 +1395 blockdaemon_lido 0xb26f9666... Titan Relay
13753650 1 3134 1742 +1392 everstake 0x88a53ec4... BloXroute Regulated
13749475 3 3160 1771 +1389 gateway.fmas_lido 0x8527d16c... Ultra Sound
13748789 21 3419 2031 +1388 solo_stakers 0x850b00e0... BloXroute Max Profit
13753514 2 3144 1757 +1387 kiln 0x855b00e6... Flashbots
13749703 0 3115 1728 +1387 everstake 0x8db2a99d... Flashbots
13753180 5 3187 1800 +1387 everstake 0xac23f8cc... Flashbots
13750136 1 3128 1742 +1386 p2porg 0x88a53ec4... BloXroute Max Profit
13755059 6 3200 1814 +1386 p2porg 0x850b00e0... BloXroute Regulated
13748498 0 3112 1728 +1384 gateway.fmas_lido 0x8527d16c... Ultra Sound
13755413 7 3212 1829 +1383 gateway.fmas_lido 0x856b0004... Ultra Sound
13748563 5 3181 1800 +1381 gateway.fmas_lido 0x856b0004... BloXroute Max Profit
13748636 13 3294 1915 +1379 stakingfacilities_lido 0x855b00e6... Flashbots
13748951 17 3351 1973 +1378 stakingfacilities_lido 0xb67eaa5e... BloXroute Regulated
13752390 5 3178 1800 +1378 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13753035 5 3176 1800 +1376 gateway.fmas_lido 0xb26f9666... Titan Relay
13748570 4 3160 1786 +1374 whale_0x8ebd 0x88857150... Ultra Sound
13754727 9 3232 1858 +1374 solo_stakers 0x853b0078... BloXroute Max Profit
13748933 0 3102 1728 +1374 figment 0x8527d16c... Ultra Sound
13755451 1 3116 1742 +1374 whale_0x8ebd 0xb26f9666... Titan Relay
13753670 7 3202 1829 +1373 0x8527d16c... Ultra Sound
13752464 9 3230 1858 +1372 p2porg 0xb67eaa5e... BloXroute Regulated
13753449 8 3214 1843 +1371 kelp 0x853b0078... BloXroute Max Profit
13751599 8 3213 1843 +1370 stakingfacilities_lido 0x8db2a99d... BloXroute Max Profit
13753067 15 3311 1944 +1367 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13755502 6 3178 1814 +1364 gateway.fmas_lido 0x8db2a99d... Flashbots
13751609 3 3134 1771 +1363 whale_0x8ebd 0x8a850621... Ultra Sound
13751087 1 3105 1742 +1363 kiln 0x856b0004... Agnostic Gnosis
13749627 2 3119 1757 +1362 whale_0x8ebd 0x8527d16c... Ultra Sound
13754382 5 3159 1800 +1359 ether.fi 0x856b0004... Ultra Sound
13748680 8 3201 1843 +1358 0x88a53ec4... BloXroute Max Profit
13749196 7 3185 1829 +1356 kiln 0x850b00e0... BloXroute Regulated
13751287 1 3096 1742 +1354 kiln 0xb67eaa5e... BloXroute Regulated
13749546 0 3081 1728 +1353 p2porg 0x852b0070... Agnostic Gnosis
13754701 0 3080 1728 +1352 kelp 0x851b00b1... Flashbots
13749272 12 3252 1901 +1351 p2porg 0x850b00e0... BloXroute Regulated
13751371 5 3151 1800 +1351 gateway.fmas_lido 0x8527d16c... Ultra Sound
13752566 5 3149 1800 +1349 whale_0x8ebd 0x8527d16c... Ultra Sound
13751306 0 3075 1728 +1347 kelp 0xb26f9666... Titan Relay
13755230 6 3161 1814 +1347 whale_0x4685 0xb67eaa5e... BloXroute Regulated
13748672 6 3161 1814 +1347 nethermind_lido 0x8527d16c... Ultra Sound
13749155 6 3161 1814 +1347 everstake 0xa230e2cf... Flashbots
13749140 6 3160 1814 +1346 origin_protocol 0xb26f9666... Titan Relay
13752658 11 3231 1887 +1344 blockdaemon_lido 0xb26f9666... Titan Relay
13754239 15 3288 1944 +1344 everstake 0xb26f9666... Titan Relay
13752963 2 3098 1757 +1341 p2porg 0xb26f9666... BloXroute Regulated
13751020 3 3112 1771 +1341 p2porg 0xa230e2cf... Flashbots
13751970 1 3083 1742 +1341 ether.fi 0xb26f9666... Titan Relay
13753517 5 3140 1800 +1340 p2porg 0xb26f9666... BloXroute Regulated
13753298 4 3124 1786 +1338 p2porg 0x856b0004... Agnostic Gnosis
13754774 8 3180 1843 +1337 0x8527d16c... Ultra Sound
13751629 0 3064 1728 +1336 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13750763 5 3136 1800 +1336 whale_0x9212 0x88857150... Ultra Sound
13751475 1 3078 1742 +1336 kelp 0x823e0146... Flashbots
13749220 1 3078 1742 +1336 p2porg 0x8db2a99d... Flashbots
13755578 1 3078 1742 +1336 whale_0x8ebd 0x8527d16c... Ultra Sound
13755221 2 3092 1757 +1335 whale_0x8ebd 0x853b0078... Ultra Sound
13754150 0 3063 1728 +1335 p2porg 0x852b0070... Agnostic Gnosis
13752182 11 3220 1887 +1333 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13749131 2 3090 1757 +1333 kelp 0x8527d16c... Ultra Sound
13753339 2 3090 1757 +1333 p2porg 0x88857150... Ultra Sound
13755504 0 3061 1728 +1333 p2porg 0x8527d16c... Ultra Sound
13749347 5 3130 1800 +1330 p2porg 0x8db2a99d... BloXroute Max Profit
13751975 1 3072 1742 +1330 whale_0x8ebd 0x8527d16c... Ultra Sound
13752066 10 3201 1872 +1329 p2porg 0x8527d16c... Ultra Sound
13751188 1 3071 1742 +1329 everstake 0x850b00e0... BloXroute Max Profit
13750158 0 3056 1728 +1328 p2porg 0x852b0070... BloXroute Max Profit
13754235 8 3171 1843 +1328 everstake 0x823e0146... BloXroute Max Profit
13754360 2 3083 1757 +1326 kiln 0x8db2a99d... Flashbots
13752419 6 3140 1814 +1326 whale_0xad3b 0xb26f9666... Titan Relay
13749418 11 3212 1887 +1325 everstake 0x857b0038... Ultra Sound
13754751 3 3096 1771 +1325 p2porg 0x853b0078... Aestus
13752394 1 3067 1742 +1325 kiln 0x853b0078... BloXroute Max Profit
13751331 9 3181 1858 +1323 gateway.fmas_lido 0xb26f9666... Aestus
13754321 2 3079 1757 +1322 kiln 0xb67eaa5e... BloXroute Max Profit
13752873 5 3122 1800 +1322 whale_0x8ebd 0x88857150... Ultra Sound
13753771 19 3322 2002 +1320 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13750255 0 3048 1728 +1320 p2porg 0x88a53ec4... BloXroute Max Profit
13749584 3 3091 1771 +1320 ether.fi 0xb26f9666... Titan Relay
13753316 1 3062 1742 +1320 0x823e0146... BloXroute Max Profit
13749166 6 3134 1814 +1320 0x8527d16c... Ultra Sound
13754742 7 3148 1829 +1319 everstake 0x856b0004... Aestus
13748611 1 3061 1742 +1319 0xb26f9666... Titan Relay
13753942 11 3205 1887 +1318 gateway.fmas_lido 0x8527d16c... Ultra Sound
13752367 8 3161 1843 +1318 p2porg 0x856b0004... BloXroute Max Profit
13754959 8 3160 1843 +1317 ether.fi 0x853b0078... Ultra Sound
13752561 6 3131 1814 +1317 whale_0x8ebd 0xb26f9666... Titan Relay
13755026 6 3131 1814 +1317 mantle 0x8527d16c... Ultra Sound
13752384 6 3131 1814 +1317 rocketpool 0x856b0004... BloXroute Max Profit
13753553 7 3145 1829 +1316 ether.fi 0x8527d16c... Ultra Sound
13749843 0 3044 1728 +1316 whale_0xedc6 0x856b0004... BloXroute Max Profit
13751630 4 3101 1786 +1315 kiln 0x850b00e0... Flashbots
13754116 2 3072 1757 +1315 kiln 0xb26f9666... Titan Relay
13755322 0 3043 1728 +1315 p2porg 0xb26f9666... BloXroute Max Profit
13753442 7 3143 1829 +1314 whale_0xdd6c 0x853b0078... Aestus
13753884 5 3113 1800 +1313 kelp 0xb7c5beef... Titan Relay
13750338 1 3055 1742 +1313 kelp 0x856b0004... Agnostic Gnosis
13752257 4 3097 1786 +1311 p2porg 0x853b0078... Aestus
13749048 0 3038 1728 +1310 whale_0x8ebd 0xb26f9666... Titan Relay
13749514 7 3137 1829 +1308 kelp 0xac23f8cc... BloXroute Max Profit
13753570 7 3137 1829 +1308 ether.fi 0x88857150... Ultra Sound
13750740 3 3079 1771 +1308 mantle 0xb26f9666... Titan Relay
13752837 1 3050 1742 +1308 kelp 0xb26f9666... Titan Relay
13750571 3 3078 1771 +1307 solo_stakers Local Local
13750366 5 3106 1800 +1306 kelp 0x88a53ec4... BloXroute Max Profit
13754758 1 3048 1742 +1306 ether.fi 0x823e0146... Flashbots
13750029 5 3105 1800 +1305 kiln 0x88a53ec4... BloXroute Regulated
13750322 3 3076 1771 +1305 p2porg 0x853b0078... BloXroute Max Profit
13750939 0 3031 1728 +1303 0x823e0146... Flashbots
13751354 1 3044 1742 +1302 whale_0x8ebd 0x856b0004... Ultra Sound
13748525 5 3101 1800 +1301 kelp 0xb26f9666... Titan Relay
13751062 4 3086 1786 +1300 whale_0xedc6 0x8527d16c... Ultra Sound
13750183 1 3042 1742 +1300 p2porg 0x856b0004... Agnostic Gnosis
13754272 4 3085 1786 +1299 p2porg 0x856b0004... Aestus
13754505 14 3229 1930 +1299 p2porg 0x8db2a99d... BloXroute Max Profit
13753859 1 3041 1742 +1299 whale_0x8ebd 0xb26f9666... BloXroute Max Profit
13748925 0 3026 1728 +1298 p2porg 0x8527d16c... Ultra Sound
13749311 5 3098 1800 +1298 kiln 0x8527d16c... Ultra Sound
13751118 0 3025 1728 +1297 p2porg 0xb26f9666... BloXroute Max Profit
13752150 1 3039 1742 +1297 mantle 0xb26f9666... Titan Relay
13753865 6 3111 1814 +1297 p2porg 0x8db2a99d... BloXroute Max Profit
13751083 3 3067 1771 +1296 mantle 0x853b0078... Ultra Sound
13752617 8 3139 1843 +1296 p2porg 0xb26f9666... Aestus
13751597 7 3124 1829 +1295 whale_0x8ebd 0x8a850621... Ultra Sound
13755367 1 3037 1742 +1295 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13755262 6 3109 1814 +1295 whale_0x8ebd 0x8527d16c... Ultra Sound
13753470 6 3109 1814 +1295 0x857b0038... Ultra Sound
13751069 4 3080 1786 +1294 kelp 0xb67eaa5e... BloXroute Regulated
13755079 2 3051 1757 +1294 whale_0x7275 0x853b0078... Agnostic Gnosis
13751009 0 3022 1728 +1294 whale_0x8ebd 0xb26f9666... Titan Relay
13748766 3 3065 1771 +1294 everstake 0xb67eaa5e... BloXroute Regulated
13748619 1 3036 1742 +1294 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13753301 1 3036 1742 +1294 p2porg 0xb26f9666... BloXroute Regulated
13749750 4 3079 1786 +1293 p2porg 0x853b0078... Agnostic Gnosis
13752202 9 3151 1858 +1293 stakingfacilities_lido 0x8527d16c... Ultra Sound
13754644 0 3021 1728 +1293 p2porg 0x926b7905... Flashbots
13753789 3 3064 1771 +1293 figment 0xb26f9666... Aestus
13751196 6 3107 1814 +1293 ether.fi 0x823e0146... BloXroute Max Profit
13749723 1 3034 1742 +1292 ether.fi 0x8527d16c... Ultra Sound
13754740 1 3033 1742 +1291 p2porg 0x8db2a99d... BloXroute Max Profit
13752540 6 3105 1814 +1291 p2porg 0x88857150... Ultra Sound
13749134 0 3018 1728 +1290 ether.fi 0x8db2a99d... Flashbots
13751386 1 3031 1742 +1289 kiln 0x856b0004... Agnostic Gnosis
13755595 12 3189 1901 +1288 gateway.fmas_lido 0x8db2a99d... Flashbots
13751536 0 3016 1728 +1288 kiln 0x88a53ec4... BloXroute Max Profit
13748756 0 3015 1728 +1287 ether.fi 0xb26f9666... Titan Relay
13749143 0 3015 1728 +1287 0xb26f9666... BloXroute Max Profit
13749015 5 3087 1800 +1287 whale_0xedc6 0xb26f9666... BloXroute Max Profit
13749164 10 3159 1872 +1287 p2porg 0x8527d16c... Ultra Sound
13754364 6 3101 1814 +1287 whale_0x8ebd 0x856b0004... Ultra Sound
13752120 5 3086 1800 +1286 whale_0xedc6 0x853b0078... Aestus
13749720 10 3158 1872 +1286 0xb67eaa5e... BloXroute Max Profit
13749892 3 3056 1771 +1285 p2porg 0xb67eaa5e... BloXroute Max Profit
13753715 1 3027 1742 +1285 p2porg 0x823e0146... BloXroute Max Profit
13751131 3 3055 1771 +1284 p2porg 0x823e0146... Flashbots
13752952 1 3026 1742 +1284 ether.fi 0xb26f9666... BloXroute Max Profit
13754638 9 3140 1858 +1282 mantle 0x8527d16c... Ultra Sound
13751977 0 3010 1728 +1282 p2porg 0x805e28e6... Ultra Sound
13753100 3 3053 1771 +1282 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13753642 15 3225 1944 +1281 whale_0x8ebd 0x88857150... Ultra Sound
13754709 2 3034 1757 +1277 kiln 0xb67eaa5e... BloXroute Max Profit
13750246 5 3077 1800 +1277 ether.fi 0x853b0078... Aestus
13753546 1 3019 1742 +1277 whale_0xedc6 0x8527d16c... Ultra Sound
13748761 0 3003 1728 +1275 kelp 0xb26f9666... Titan Relay
13753099 0 3002 1728 +1274 whale_0xedc6 0xb26f9666... BloXroute Max Profit
13754185 5 3074 1800 +1274 kiln 0x856b0004... Aestus
13753265 6 3088 1814 +1274 solo_stakers 0xb67eaa5e... BloXroute Max Profit
13752597 2 3030 1757 +1273 ether.fi 0x853b0078... BloXroute Max Profit
13749113 4 3058 1786 +1272 kiln 0x8db2a99d... BloXroute Max Profit
13752906 0 3000 1728 +1272 kiln 0x852b0070... BloXroute Max Profit
13753828 0 2999 1728 +1271 figment 0x8527d16c... Ultra Sound
13749897 4 3056 1786 +1270 0x856b0004... Agnostic Gnosis
13753562 7 3099 1829 +1270 kelp 0x856b0004... Aestus
13750454 1 3012 1742 +1270 ether.fi 0xb26f9666... Aestus
13749775 4 3055 1786 +1269 kiln 0xb67eaa5e... BloXroute Max Profit
13750710 6 3083 1814 +1269 everstake 0xb67eaa5e... BloXroute Max Profit
13752229 4 3054 1786 +1268 kelp 0x856b0004... Aestus
13753585 7 3097 1829 +1268 p2porg 0x8527d16c... Ultra Sound
13750988 0 2995 1728 +1267 whale_0x8ebd 0x8527d16c... Ultra Sound
13750648 1 3009 1742 +1267 kiln 0x853b0078... Agnostic Gnosis
13755466 2 3023 1757 +1266 kiln 0x853b0078... Agnostic Gnosis
13753042 10 3138 1872 +1266 kiln 0x8db2a99d... BloXroute Max Profit
13749486 4 3051 1786 +1265 kiln 0xb67eaa5e... BloXroute Max Profit
13753999 0 2992 1728 +1264 0xb26f9666... BloXroute Max Profit
13750332 0 2991 1728 +1263 kiln 0x850b00e0... Flashbots
13750760 5 3063 1800 +1263 p2porg 0x853b0078... Agnostic Gnosis
13753049 10 3135 1872 +1263 kelp 0x8db2a99d... BloXroute Max Profit
13750482 1 3005 1742 +1263 kiln 0xb26f9666... Titan Relay
13752588 2 3019 1757 +1262 whale_0x8ebd 0x8527d16c... Ultra Sound
Total anomalies: 376

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