Wed, Mar 25, 2026

Propagation anomalies - 2026-03-25

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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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-25' AND slot_start_date_time < '2026-03-25'::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,185
MEV blocks: 6,610 (92.0%)
Local blocks: 575 (8.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 = 1785.9 + 17.88 × blob_count (R² = 0.011)
Residual σ = 624.7ms
Anomalies (>2σ slow): 363 (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
13966895 0 10286 1786 +8500 solo_stakers Local Local
13967136 0 5713 1786 +3927 abyss_finance Local Local
13967904 0 5610 1786 +3824 abyss_finance Local Local
13970592 0 4711 1786 +2925 upbit Local Local
13967200 0 4642 1786 +2856 liquid_collective Local Local
13968800 0 4197 1786 +2411 ether.fi Local Local
13968416 0 4100 1786 +2314 solo_stakers Local Local
13968544 0 3977 1786 +2191 liquid_collective Local Local
13967137 0 3930 1786 +2144 stakefish_lido Local Local
13971347 0 3921 1786 +2135 whale_0x8ebd Local Local
13970151 0 3873 1786 +2087 whale_0x8ebd Local Local
13967001 0 3815 1786 +2029 whale_0x8ebd Local Local
13970734 1 3791 1804 +1987 blockdaemon 0x823e0146... Ultra Sound
13969288 1 3779 1804 +1975 whale_0x8ebd 0x8db2a99d... Ultra Sound
13971151 5 3833 1875 +1958 nethermind_lido 0xb26f9666... Aestus
13965130 1 3691 1804 +1887 whale_0x994c 0x8a850621... Titan Relay
13969506 13 3895 2018 +1877 whale_0x9212 0x850b00e0... BloXroute Max Profit
13969327 0 3656 1786 +1870 blockdaemon 0xb26f9666... Titan Relay
13969388 1 3671 1804 +1867 nethermind_lido 0x8527d16c... Ultra Sound
13968623 0 3629 1786 +1843 everstake 0xb26f9666... Aestus
13969184 6 3727 1893 +1834 coinbase Local Local
13968600 0 3595 1786 +1809 nethermind_lido 0x851b00b1... Flashbots
13970912 1 3570 1804 +1766 stakingfacilities_lido 0x8527d16c... Ultra Sound
13970096 5 3641 1875 +1766 blockdaemon 0xb26f9666... Titan Relay
13969502 0 3539 1786 +1753 everstake 0xb26f9666... Titan Relay
13968268 3 3591 1840 +1751 coinbase 0xb26f9666... Titan Relay
13969308 5 3619 1875 +1744 blockdaemon 0xb4ce6162... Ultra Sound
13965856 9 3686 1947 +1739 whale_0xdc8d 0xb26f9666... Titan Relay
13969461 0 3512 1786 +1726 nethermind_lido 0x81476ce9... Flashbots
13970283 6 3619 1893 +1726 blockdaemon 0xb26f9666... Titan Relay
13968954 10 3690 1965 +1725 blockdaemon_lido 0xb67eaa5e... Titan Relay
13970953 5 3595 1875 +1720 luno 0xb26f9666... Titan Relay
13970946 5 3591 1875 +1716 luno 0xb26f9666... Titan Relay
13966542 0 3483 1786 +1697 blockdaemon 0x857b0038... Ultra Sound
13971237 5 3568 1875 +1693 whale_0x8ebd 0xb26f9666... Titan Relay
13970688 0 3476 1786 +1690 whale_0x8ebd 0xb26f9666... Titan Relay
13968305 5 3546 1875 +1671 everstake 0x8db2a99d... Ultra Sound
13965131 5 3543 1875 +1668 whale_0x8ebd 0xb26f9666... Titan Relay
13968161 6 3558 1893 +1665 blockdaemon 0x857b0038... Ultra Sound
13966560 0 3421 1786 +1635 bitstamp 0x851b00b1... BloXroute Max Profit
13970784 2 3452 1822 +1630 figment 0x850b00e0... BloXroute Max Profit
13968762 3 3468 1840 +1628 stakingfacilities_lido 0xb26f9666... Titan Relay
13971069 0 3411 1786 +1625 blockdaemon_lido 0xb26f9666... Titan Relay
13965607 0 3411 1786 +1625 everstake 0xb26f9666... Titan Relay
13970525 3 3463 1840 +1623 p2porg 0x853b0078... Titan Relay
13970968 5 3497 1875 +1622 whale_0x8ebd 0xb4ce6162... Ultra Sound
13969141 5 3490 1875 +1615 whale_0x8ebd 0x8db2a99d... Flashbots
13965824 0 3397 1786 +1611 stakingfacilities_lido 0x88a53ec4... BloXroute Regulated
13968250 0 3395 1786 +1609 everstake 0xb26f9666... Titan Relay
13969893 0 3387 1786 +1601 nethermind_lido 0x83d6a6ab... BloXroute Max Profit
13968504 6 3488 1893 +1595 blockdaemon 0x856b0004... Ultra Sound
13969305 7 3504 1911 +1593 everstake 0xb4ce6162... Ultra Sound
13968904 3 3432 1840 +1592 everstake 0xb26f9666... Titan Relay
13968941 1 3395 1804 +1591 everstake 0xb26f9666... Titan Relay
13964448 0 3373 1786 +1587 blockdaemon 0x856b0004... BloXroute Max Profit
13968942 11 3563 1983 +1580 p2porg 0x850b00e0... BloXroute Regulated
13970783 1 3377 1804 +1573 whale_0xdc8d 0x853b0078... Ultra Sound
13969695 1 3376 1804 +1572 solo_stakers Local Local
13965600 8 3495 1929 +1566 bitstamp 0xb67eaa5e... BloXroute Regulated
13970280 3 3403 1840 +1563 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13971045 8 3490 1929 +1561 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13964531 7 3469 1911 +1558 nethermind_lido 0x8527d16c... Ultra Sound
13968241 7 3469 1911 +1558 0x853b0078... Ultra Sound
13964624 5 3433 1875 +1558 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13970369 2 3378 1822 +1556 everstake 0xb26f9666... Titan Relay
13971181 6 3446 1893 +1553 everstake 0xb26f9666... Aestus
13971047 3 3390 1840 +1550 stader 0x853b0078... Agnostic Gnosis
13968242 0 3335 1786 +1549 whale_0x8ebd 0x856b0004... Agnostic Gnosis
13964882 5 3421 1875 +1546 blockdaemon 0x8a850621... Titan Relay
13970791 1 3349 1804 +1545 blockdaemon_lido 0x856b0004... Ultra Sound
13964770 9 3491 1947 +1544 nethermind_lido 0x88857150... Ultra Sound
13969920 9 3491 1947 +1544 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13967804 0 3330 1786 +1544 nethermind_lido 0x8527d16c... Ultra Sound
13965669 1 3347 1804 +1543 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13964884 0 3325 1786 +1539 whale_0x7669 0xac23f8cc... Aestus
13969516 8 3466 1929 +1537 whale_0x8ebd 0x850b00e0... BloXroute Max Profit
13970686 0 3312 1786 +1526 stader 0x823e0146... Aestus
13971477 0 3311 1786 +1525 p2porg 0x8527d16c... Ultra Sound
13970218 5 3400 1875 +1525 0xb67eaa5e... BloXroute Regulated
13967373 6 3416 1893 +1523 everstake 0xb67eaa5e... BloXroute Regulated
13970652 3 3361 1840 +1521 whale_0xdc8d 0x850b00e0... BloXroute Regulated
13971224 0 3307 1786 +1521 everstake 0xb26f9666... Titan Relay
13965171 0 3304 1786 +1518 0xb26f9666... Titan Relay
13968916 0 3303 1786 +1517 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13965073 3 3354 1840 +1514 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13968173 2 3334 1822 +1512 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13971466 4 3369 1857 +1512 blockdaemon 0xb67eaa5e... BloXroute Max Profit
13970720 4 3366 1857 +1509 nethermind_lido 0x856b0004... BloXroute Max Profit
13968987 14 3544 2036 +1508 ether.fi 0xb67eaa5e... BloXroute Max Profit
13966114 5 3382 1875 +1507 blockdaemon 0x88857150... Ultra Sound
13969348 0 3292 1786 +1506 kiln 0x8db2a99d... Ultra Sound
13965183 12 3504 2000 +1504 everstake 0xb4ce6162... Ultra Sound
13970749 5 3378 1875 +1503 p2porg 0xb26f9666... Titan Relay
13969739 1 3302 1804 +1498 kiln 0x823e0146... Aestus
13965121 0 3284 1786 +1498 blockdaemon_lido 0xb26f9666... Titan Relay
13966936 1 3300 1804 +1496 whale_0x8ebd 0x8527d16c... Ultra Sound
13966102 0 3281 1786 +1495 whale_0xdc8d 0xb26f9666... Titan Relay
13968736 0 3280 1786 +1494 senseinode_lido 0x88857150... Ultra Sound
13964883 6 3387 1893 +1494 ether.fi Local Local
13967296 1 3297 1804 +1493 stakingfacilities_lido 0x823e0146... Flashbots
13964765 6 3386 1893 +1493 blockdaemon 0x850b00e0... BloXroute Regulated
13964438 0 3273 1786 +1487 whale_0xdc8d 0xb26f9666... Titan Relay
13970601 8 3416 1929 +1487 coinbase 0x88a53ec4... BloXroute Max Profit
13969085 5 3360 1875 +1485 everstake 0xb26f9666... Titan Relay
13964479 5 3358 1875 +1483 ether.fi 0x853b0078... BloXroute Max Profit
13969879 3 3322 1840 +1482 blockdaemon_lido 0x8db2a99d... Ultra Sound
13970799 6 3375 1893 +1482 whale_0xdc8d 0x823e0146... Ultra Sound
13966635 5 3357 1875 +1482 kiln 0xb67eaa5e... BloXroute Max Profit
13966861 0 3265 1786 +1479 csm_operator162_lido 0x823e0146... Flashbots
13969363 7 3388 1911 +1477 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13967454 3 3316 1840 +1476 ether.fi 0xb26f9666... Titan Relay
13969581 7 3385 1911 +1474 whale_0xdc8d 0x856b0004... BloXroute Max Profit
13971383 0 3256 1786 +1470 0xb67eaa5e... BloXroute Regulated
13971389 8 3397 1929 +1468 blockdaemon_lido 0xb67eaa5e... BloXroute Max Profit
13969303 0 3253 1786 +1467 whale_0xdc8d 0xb67eaa5e... BloXroute Regulated
13965966 0 3253 1786 +1467 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13966318 1 3270 1804 +1466 blockdaemon 0xb26f9666... Titan Relay
13965043 1 3269 1804 +1465 blockdaemon_lido 0x850b00e0... BloXroute Regulated
13970420 0 3248 1786 +1462 coinbase 0x8527d16c... Ultra Sound
13970309 7 3372 1911 +1461 blockdaemon 0xb67eaa5e... BloXroute Regulated
13968302 9 3407 1947 +1460 everstake 0xb26f9666... Titan Relay
13968545 0 3243 1786 +1457 coinbase 0xa1da2978... Ultra Sound
13965645 1 3259 1804 +1455 p2porg 0x8db2a99d... Ultra Sound
13969056 4 3312 1857 +1455 nethermind_lido 0x856b0004... BloXroute Max Profit
13971026 0 3240 1786 +1454 stader 0x851b00b1... BloXroute Max Profit
13970057 3 3292 1840 +1452 blockdaemon 0x88a53ec4... BloXroute Regulated
13968793 5 3327 1875 +1452 coinbase 0x88a53ec4... BloXroute Max Profit
13968723 8 3379 1929 +1450 nethermind_lido 0xb26f9666... Aestus
13970327 11 3432 1983 +1449 blockdaemon 0x823e0146... Ultra Sound
13967750 8 3376 1929 +1447 blockdaemon 0x855b00e6... BloXroute Max Profit
13969623 1 3249 1804 +1445 revolut 0x853b0078... Ultra Sound
13966279 5 3319 1875 +1444 whale_0xdc8d 0xb26f9666... Titan Relay
13965368 5 3318 1875 +1443 gateway.fmas_lido 0xb67eaa5e... BloXroute Max Profit
13971167 5 3318 1875 +1443 coinbase 0xb26f9666... Aestus
13968236 2 3264 1822 +1442 p2porg 0x850b00e0... BloXroute Regulated
13966413 5 3317 1875 +1442 luno 0x85fb0503... BloXroute Regulated
13964622 0 3227 1786 +1441 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13964906 0 3226 1786 +1440 blockdaemon 0x8527d16c... Ultra Sound
13967545 5 3315 1875 +1440 nethermind_lido 0x8527d16c... Ultra Sound
13966128 1 3237 1804 +1433 nethermind_lido 0x850b00e0... BloXroute Max Profit
13969086 8 3360 1929 +1431 everstake 0xb26f9666... Titan Relay
13968874 5 3304 1875 +1429 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13965151 5 3303 1875 +1428 0x8527d16c... Ultra Sound
13970955 3 3267 1840 +1427 whale_0x8ebd 0x8527d16c... Ultra Sound
13968285 14 3461 2036 +1425 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13968648 5 3298 1875 +1423 bitstamp 0x855b00e6... BloXroute Max Profit
13971097 1 3226 1804 +1422 bitstamp 0x823e0146... BloXroute Max Profit
13969194 5 3297 1875 +1422 blockdaemon 0x8527d16c... Ultra Sound
13968734 9 3368 1947 +1421 bitstamp 0x8db2a99d... BloXroute Max Profit
13965802 0 3207 1786 +1421 whale_0x8ebd 0x851b00b1... Flashbots
13969334 0 3206 1786 +1420 p2porg Local Local
13966468 0 3204 1786 +1418 0x88a53ec4... BloXroute Max Profit
13968671 5 3292 1875 +1417 gateway.fmas_lido 0xac23f8cc... BloXroute Max Profit
13969033 1 3220 1804 +1416 coinbase 0x8db2a99d... Ultra Sound
13964979 1 3219 1804 +1415 everstake 0x8db2a99d... Flashbots
13967961 4 3272 1857 +1415 coinbase 0x856b0004... Agnostic Gnosis
13969501 1 3218 1804 +1414 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13965633 5 3288 1875 +1413 0x88a53ec4... BloXroute Regulated
13970171 2 3233 1822 +1411 coinbase 0xb67eaa5e... BloXroute Regulated
13966559 0 3196 1786 +1410 stakingfacilities_lido 0x853b0078... Agnostic Gnosis
13971028 0 3196 1786 +1410 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13964450 5 3284 1875 +1409 whale_0x8ebd 0xb67eaa5e... BloXroute Regulated
13965397 0 3194 1786 +1408 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13969120 1 3208 1804 +1404 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13965258 3 3242 1840 +1402 gateway.fmas_lido 0xb7c5e609... BloXroute Max Profit
13966839 6 3295 1893 +1402 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13970524 5 3277 1875 +1402 everstake 0xb26f9666... Titan Relay
13970274 5 3277 1875 +1402 everstake 0xb26f9666... Aestus
13967022 0 3186 1786 +1400 whale_0xdc8d 0xac23f8cc... BloXroute Max Profit
13968340 7 3310 1911 +1399 whale_0x23be 0x850b00e0... BloXroute Regulated
13968737 5 3274 1875 +1399 stakingfacilities_lido 0x855b00e6... BloXroute Max Profit
13966962 0 3184 1786 +1398 nethermind_lido 0xac23f8cc... Ultra Sound
13964652 5 3273 1875 +1398 p2porg 0x88857150... Ultra Sound
13966016 1 3201 1804 +1397 p2porg 0x850b00e0... BloXroute Regulated
13970843 0 3183 1786 +1397 coinbase 0x8a850621... Titan Relay
13970915 5 3271 1875 +1396 p2porg 0x850b00e0... BloXroute Regulated
13966283 5 3271 1875 +1396 blockdaemon 0x88a53ec4... BloXroute Max Profit
13967570 4 3251 1857 +1394 gateway.fmas_lido 0x88a53ec4... BloXroute Regulated
13969778 3 3233 1840 +1393 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13969527 0 3179 1786 +1393 0x82c466b9... EthGas
13968755 0 3179 1786 +1393 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13966145 5 3266 1875 +1391 p2porg 0x88857150... Ultra Sound
13968807 3 3230 1840 +1390 everstake 0x823e0146... BloXroute Max Profit
13967568 3 3229 1840 +1389 bitstamp 0xb67eaa5e... BloXroute Max Profit
13968789 5 3264 1875 +1389 blockdaemon_lido 0x8527d16c... Ultra Sound
13969762 11 3371 1983 +1388 everstake 0xb26f9666... Titan Relay
13971558 1 3192 1804 +1388 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13970137 1 3192 1804 +1388 blockdaemon_lido 0x856b0004... Ultra Sound
13968222 0 3174 1786 +1388 coinbase 0xb4ce6162... Ultra Sound
13964838 5 3263 1875 +1388 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13968341 4 3244 1857 +1387 blockdaemon 0x88857150... Ultra Sound
13969181 1 3190 1804 +1386 whale_0x8ebd 0x8db2a99d... Ultra Sound
13968751 5 3259 1875 +1384 revolut 0x853b0078... Ultra Sound
13968228 0 3168 1786 +1382 0xb26f9666... Aestus
13967261 3 3220 1840 +1380 nethermind_lido 0x88a53ec4... BloXroute Max Profit
13969541 11 3363 1983 +1380 coinbase 0x8527d16c... Ultra Sound
13970805 0 3166 1786 +1380 coinbase 0x8527d16c... Ultra Sound
13971402 6 3273 1893 +1380 revolut 0x853b0078... Ultra Sound
13964984 4 3237 1857 +1380 revolut 0xb26f9666... Titan Relay
13966963 7 3290 1911 +1379 whale_0xdc8d 0xb26f9666... Titan Relay
13968746 0 3162 1786 +1376 kiln 0xb67eaa5e... Aestus
13969600 6 3267 1893 +1374 p2porg 0xb26f9666... Titan Relay
13964694 0 3159 1786 +1373 nethermind_lido 0x85fb0503... BloXroute Max Profit
13969293 1 3176 1804 +1372 p2porg 0x850b00e0... BloXroute Regulated
13971253 8 3301 1929 +1372 nethermind_lido 0xb26f9666... Aestus
13969462 1 3174 1804 +1370 kraken 0x88857150... Ultra Sound
13968821 4 3227 1857 +1370 p2porg 0x856b0004... Agnostic Gnosis
13966222 2 3188 1822 +1366 whale_0x8ebd 0x853b0078... Aestus
13970537 1 3167 1804 +1363 kiln 0x8527d16c... Ultra Sound
13970144 0 3149 1786 +1363 ether.fi 0xb67eaa5e... BloXroute Max Profit
13968274 6 3255 1893 +1362 figment 0xb67eaa5e... BloXroute Regulated
13970581 6 3255 1893 +1362 bitstamp 0x88a53ec4... BloXroute Max Profit
13970180 3 3200 1840 +1360 coinbase 0x8527d16c... Ultra Sound
13971594 0 3146 1786 +1360 whale_0x8ebd 0x823e0146... Flashbots
13969196 9 3306 1947 +1359 0x855b00e6... BloXroute Max Profit
13969375 9 3306 1947 +1359 gateway.fmas_lido 0x855b00e6... BloXroute Max Profit
13969480 0 3145 1786 +1359 revolut 0x8527d16c... Ultra Sound
13968634 10 3322 1965 +1357 blockdaemon_lido 0x855b00e6... BloXroute Max Profit
13968622 10 3320 1965 +1355 kiln 0xb26f9666... Titan Relay
13969272 6 3248 1893 +1355 p2porg 0xb67eaa5e... Aestus
13970266 0 3139 1786 +1353 gateway.fmas_lido 0x8527d16c... Ultra Sound
13966693 5 3228 1875 +1353 blockdaemon 0x8527d16c... Ultra Sound
13964444 1 3156 1804 +1352 nethermind_lido 0x88a53ec4... BloXroute Regulated
13968099 0 3138 1786 +1352 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13968139 0 3137 1786 +1351 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13968559 2 3172 1822 +1350 everstake 0x853b0078... Agnostic Gnosis
13970785 11 3332 1983 +1349 blockdaemon_lido 0x88a53ec4... BloXroute Regulated
13970692 2 3170 1822 +1348 p2porg 0x850b00e0... BloXroute Regulated
13970294 0 3133 1786 +1347 gateway.fmas_lido 0x850b00e0... BloXroute Max Profit
13969103 4 3203 1857 +1346 p2porg 0x853b0078... Aestus
13969068 0 3131 1786 +1345 coinbase 0x853b0078... Ultra Sound
13966585 0 3130 1786 +1344 whale_0x8ebd 0x8527d16c... Ultra Sound
13970527 0 3129 1786 +1343 p2porg 0x8527d16c... Ultra Sound
13968797 8 3272 1929 +1343 coinbase 0x853b0078... Aestus
13970177 1 3146 1804 +1342 everstake 0xb26f9666... Aestus
13968523 5 3217 1875 +1342 p2porg 0x88857150... Ultra Sound
13971042 4 3199 1857 +1342 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13970368 8 3270 1929 +1341 coinbase 0x8527d16c... Ultra Sound
13965577 6 3234 1893 +1341 nethermind_lido 0xb67eaa5e... BloXroute Max Profit
13967644 5 3216 1875 +1341 gateway.fmas_lido 0xac23f8cc... Ultra Sound
13969805 13 3359 2018 +1341 whale_0x8ebd 0x853b0078... Agnostic Gnosis
13971065 0 3126 1786 +1340 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13968654 3 3179 1840 +1339 bitstamp 0x853b0078... Agnostic Gnosis
13968430 8 3268 1929 +1339 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13966721 3 3178 1840 +1338 0x8db2a99d... Flashbots
13968538 7 3249 1911 +1338 stakingfacilities_lido 0x8db2a99d... Ultra Sound
13970562 6 3231 1893 +1338 p2porg 0xb26f9666... BloXroute Max Profit
13970665 13 3355 2018 +1337 stakingfacilities_lido 0x850b00e0... BloXroute Max Profit
13970483 4 3194 1857 +1337 coinbase 0x88a53ec4... BloXroute Regulated
13969198 1 3138 1804 +1334 blockdaemon 0x856b0004... Ultra Sound
13969324 0 3120 1786 +1334 gateway.fmas_lido 0xb26f9666... Aestus
13966599 4 3191 1857 +1334 kiln 0xb67eaa5e... BloXroute Regulated
13970629 1 3137 1804 +1333 whale_0x8ebd 0x8db2a99d... Flashbots
13969914 0 3118 1786 +1332 kiln 0xb67eaa5e... BloXroute Max Profit
13971260 3 3171 1840 +1331 blockdaemon_lido 0xb67eaa5e... BloXroute Regulated
13971230 1 3135 1804 +1331 stakingfacilities_lido 0x823e0146... Flashbots
13968875 0 3117 1786 +1331 coinbase 0x88857150... Ultra Sound
13969491 0 3117 1786 +1331 gateway.fmas_lido 0xb67eaa5e... BloXroute Regulated
13966100 8 3259 1929 +1330 0x88a53ec4... BloXroute Max Profit
13966913 7 3241 1911 +1330 revolut 0x853b0078... Ultra Sound
13967240 5 3205 1875 +1330 whale_0x8ebd 0x853b0078... Ultra Sound
13964607 1 3133 1804 +1329 0xac23f8cc... Flashbots
13971513 5 3204 1875 +1329 p2porg 0xb26f9666... Titan Relay
13969667 0 3114 1786 +1328 0xb67eaa5e... Aestus
13965118 3 3166 1840 +1326 gateway.fmas_lido 0x88857150... Ultra Sound
13970383 2 3148 1822 +1326 p2porg 0x856b0004... BloXroute Max Profit
13965724 8 3255 1929 +1326 blockdaemon 0x8527d16c... Ultra Sound
13971571 10 3290 1965 +1325 kiln 0x823e0146... BloXroute Max Profit
13964905 1 3129 1804 +1325 whale_0x8ebd 0xac23f8cc... BloXroute Max Profit
13968286 7 3236 1911 +1325 gateway.fmas_lido 0x88a53ec4... BloXroute Max Profit
13970410 13 3342 2018 +1324 whale_0x8ebd Local Local
13968901 0 3109 1786 +1323 everstake 0x856b0004... Ultra Sound
13968496 0 3107 1786 +1321 p2porg 0x853b0078... BloXroute Regulated
13970458 13 3339 2018 +1321 luno 0xb26f9666... Titan Relay
13965273 9 3267 1947 +1320 blockdaemon 0xac23f8cc... BloXroute Max Profit
13966573 5 3195 1875 +1320 p2porg 0x850b00e0... BloXroute Regulated
13967794 7 3230 1911 +1319 kiln 0xac23f8cc... BloXroute Max Profit
13967413 0 3103 1786 +1317 gateway.fmas_lido 0x8527d16c... Ultra Sound
13969131 0 3102 1786 +1316 p2porg 0x851b00b1... BloXroute Max Profit
13968848 18 3423 2108 +1315 0x856b0004... Aestus
13969683 0 3101 1786 +1315 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13966164 4 3171 1857 +1314 p2porg 0x93b11bec... Flashbots
13970932 10 3277 1965 +1312 coinbase 0x853b0078... Aestus
13970376 14 3347 2036 +1311 everstake 0xb26f9666... Titan Relay
13968706 0 3095 1786 +1309 kraken 0xb26f9666... EthGas
13966934 0 3095 1786 +1309 gateway.fmas_lido 0x88857150... Ultra Sound
13970491 8 3237 1929 +1308 bitstamp 0x88a53ec4... BloXroute Regulated
13969195 0 3093 1786 +1307 p2porg 0x823e0146... Flashbots
13965208 7 3217 1911 +1306 bitstamp 0x850b00e0... BloXroute Max Profit
13968299 6 3198 1893 +1305 kiln 0x88a53ec4... BloXroute Regulated
13966733 9 3251 1947 +1304 0xac23f8cc... BloXroute Max Profit
13969306 3 3143 1840 +1303 whale_0xedc6 0x856b0004... Aestus
13967009 3 3143 1840 +1303 gateway.fmas_lido 0x850b00e0... Flashbots
13969811 6 3196 1893 +1303 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13971124 5 3178 1875 +1303 coinbase 0x8a850621... Titan Relay
13968891 1 3105 1804 +1301 p2porg 0x8527d16c... Ultra Sound
13965406 0 3087 1786 +1301 gateway.fmas_lido 0x853b0078... Aestus
13968887 2 3121 1822 +1299 p2porg 0x8527d16c... Ultra Sound
13965576 0 3084 1786 +1298 p2porg 0x8db2a99d... BloXroute Regulated
13970605 7 3209 1911 +1298 p2porg 0x856b0004... Aestus
13970324 5 3173 1875 +1298 0x856b0004... Aestus
13966942 0 3083 1786 +1297 kiln 0xa0366397... Flashbots
13968975 4 3154 1857 +1297 whale_0x8ebd 0x8527d16c... Ultra Sound
13966494 1 3100 1804 +1296 bitstamp 0xb67eaa5e... BloXroute Max Profit
13968157 0 3082 1786 +1296 whale_0x8ebd 0xb67eaa5e... BloXroute Max Profit
13971043 5 3171 1875 +1296 blockdaemon 0xb67eaa5e... BloXroute Regulated
13964898 5 3171 1875 +1296 kiln 0xb67eaa5e... BloXroute Max Profit
13968534 7 3206 1911 +1295 nethermind_lido 0x8527d16c... Ultra Sound
13966521 3 3134 1840 +1294 whale_0x8ebd 0x8527d16c... Ultra Sound
13967733 6 3187 1893 +1294 coinbase 0xb67eaa5e... BloXroute Regulated
13969277 1 3097 1804 +1293 everstake 0xb67eaa5e... BloXroute Max Profit
13965303 3 3132 1840 +1292 p2porg 0xb67eaa5e... BloXroute Regulated
13966087 2 3113 1822 +1291 p2porg 0xb26f9666... BloXroute Regulated
13967242 5 3166 1875 +1291 gateway.fmas_lido 0x8527d16c... Ultra Sound
13969021 10 3255 1965 +1290 whale_0x8ebd 0x856b0004... Aestus
13965440 6 3183 1893 +1290 rocketpool Local Local
13967557 1 3092 1804 +1288 p2porg 0xb26f9666... Titan Relay
13968792 5 3162 1875 +1287 nethermind_lido 0x855b00e6... BloXroute Max Profit
13969585 0 3071 1786 +1285 p2porg 0x88a53ec4... BloXroute Regulated
13968170 5 3159 1875 +1284 p2porg 0x8527d16c... Ultra Sound
13969369 6 3175 1893 +1282 everstake 0xb67eaa5e... BloXroute Max Profit
13970898 1 3084 1804 +1280 everstake 0x88a53ec4... BloXroute Regulated
13964625 3 3119 1840 +1279 coinbase 0x8527d16c... Ultra Sound
13968674 5 3154 1875 +1279 kiln 0x853b0078... Aestus
13967549 5 3153 1875 +1278 blockdaemon 0x8527d16c... Ultra Sound
13966048 2 3099 1822 +1277 stakefish Local Local
13970879 8 3206 1929 +1277 coinbase 0x823e0146... Aestus
13970869 5 3151 1875 +1276 bitstamp 0x8527d16c... Ultra Sound
13968198 4 3133 1857 +1276 whale_0x8ebd 0x88a53ec4... BloXroute Max Profit
13971588 5 3150 1875 +1275 figment 0x88857150... Ultra Sound
13969456 5 3149 1875 +1274 whale_0x8ebd 0xb26f9666... BloXroute Regulated
13966126 1 3077 1804 +1273 p2porg 0x85fb0503... BloXroute Max Profit
13969968 0 3057 1786 +1271 stakingfacilities_lido 0x850b00e0... BloXroute Regulated
13970590 5 3143 1875 +1268 everstake 0x853b0078... Agnostic Gnosis
13968827 3 3107 1840 +1267 kiln 0x88a53ec4... BloXroute Regulated
13970150 10 3231 1965 +1266 coinbase 0x850b00e0... BloXroute Max Profit
13970435 5 3141 1875 +1266 kiln 0xb26f9666... Aestus
13971505 0 3051 1786 +1265 whale_0x8ebd 0x853b0078... BloXroute Max Profit
13965956 7 3176 1911 +1265 gateway.fmas_lido 0x88857150... Ultra Sound
13969213 1 3068 1804 +1264 0x853b0078... Ultra Sound
13965495 0 3049 1786 +1263 blockdaemon_lido 0x88857150... Ultra Sound
13967710 7 3173 1911 +1262 gateway.fmas_lido 0x856b0004... Aestus
13970353 5 3137 1875 +1262 kiln 0x853b0078... Aestus
13970522 0 3046 1786 +1260 nethermind_lido 0x88a53ec4... BloXroute Regulated
13965726 0 3046 1786 +1260 p2porg 0x856b0004... Agnostic Gnosis
13968754 10 3224 1965 +1259 coinbase 0x853b0078... Aestus
13965272 1 3063 1804 +1259 stakingfacilities_lido 0x88857150... Ultra Sound
13969321 3 3098 1840 +1258 coinbase 0x8527d16c... Ultra Sound
13965372 0 3044 1786 +1258 coinbase 0xac23f8cc... BloXroute Max Profit
13969612 7 3168 1911 +1257 coinbase 0x853b0078... Agnostic Gnosis
13969230 1 3058 1804 +1254 everstake 0xb7c5e609... BloXroute Max Profit
13969317 1 3057 1804 +1253 p2porg 0xb26f9666... BloXroute Max Profit
13968593 0 3039 1786 +1253 solo_stakers 0xb67eaa5e... Aestus
13969225 0 3039 1786 +1253 kiln 0xb26f9666... BloXroute Max Profit
13967641 6 3146 1893 +1253 figment 0xb26f9666... BloXroute Max Profit
13969009 6 3146 1893 +1253 coinbase Local Local
13969629 4 3110 1857 +1253 0x853b0078... BloXroute Regulated
13964602 11 3235 1983 +1252 kiln 0xb67eaa5e... Aestus
13970644 1 3056 1804 +1252 kiln 0xac23f8cc... Flashbots
13966159 0 3038 1786 +1252 whale_0x8ebd 0x88a53ec4... BloXroute Regulated
13970900 9 3198 1947 +1251 kiln 0x8527d16c... Ultra Sound
13967170 0 3036 1786 +1250 kiln 0x851b00b1... Flashbots
13966676 0 3036 1786 +1250 0xb26f9666... BloXroute Max Profit
Total anomalies: 363

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