@aztec/ethereum 2.1.9-rc.3 → 2.1.9-rc.4

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (40) hide show
  1. package/dest/deploy_l1_contracts.d.ts.map +1 -1
  2. package/dest/deploy_l1_contracts.js +9 -8
  3. package/dest/l1_tx_utils/constants.d.ts +6 -0
  4. package/dest/l1_tx_utils/constants.d.ts.map +1 -1
  5. package/dest/l1_tx_utils/constants.js +25 -0
  6. package/dest/l1_tx_utils/fee-strategies/index.d.ts +10 -0
  7. package/dest/l1_tx_utils/fee-strategies/index.d.ts.map +1 -0
  8. package/dest/l1_tx_utils/fee-strategies/index.js +12 -0
  9. package/dest/l1_tx_utils/fee-strategies/p75_competitive.d.ts +8 -0
  10. package/dest/l1_tx_utils/fee-strategies/p75_competitive.d.ts.map +1 -0
  11. package/dest/l1_tx_utils/fee-strategies/p75_competitive.js +129 -0
  12. package/dest/l1_tx_utils/fee-strategies/p75_competitive_blob_txs_only.d.ts +23 -0
  13. package/dest/l1_tx_utils/fee-strategies/p75_competitive_blob_txs_only.d.ts.map +1 -0
  14. package/dest/l1_tx_utils/fee-strategies/p75_competitive_blob_txs_only.js +191 -0
  15. package/dest/l1_tx_utils/fee-strategies/types.d.ts +51 -0
  16. package/dest/l1_tx_utils/fee-strategies/types.d.ts.map +1 -0
  17. package/dest/l1_tx_utils/fee-strategies/types.js +3 -0
  18. package/dest/l1_tx_utils/index.d.ts +2 -0
  19. package/dest/l1_tx_utils/index.d.ts.map +1 -1
  20. package/dest/l1_tx_utils/index.js +2 -0
  21. package/dest/l1_tx_utils/l1_fee_analyzer.d.ts +235 -0
  22. package/dest/l1_tx_utils/l1_fee_analyzer.d.ts.map +1 -0
  23. package/dest/l1_tx_utils/l1_fee_analyzer.js +506 -0
  24. package/dest/l1_tx_utils/readonly_l1_tx_utils.d.ts +0 -13
  25. package/dest/l1_tx_utils/readonly_l1_tx_utils.d.ts.map +1 -1
  26. package/dest/l1_tx_utils/readonly_l1_tx_utils.js +30 -143
  27. package/dest/utils.d.ts +13 -1
  28. package/dest/utils.d.ts.map +1 -1
  29. package/dest/utils.js +18 -0
  30. package/package.json +6 -5
  31. package/src/deploy_l1_contracts.ts +7 -6
  32. package/src/l1_tx_utils/constants.ts +11 -0
  33. package/src/l1_tx_utils/fee-strategies/index.ts +22 -0
  34. package/src/l1_tx_utils/fee-strategies/p75_competitive.ts +163 -0
  35. package/src/l1_tx_utils/fee-strategies/p75_competitive_blob_txs_only.ts +245 -0
  36. package/src/l1_tx_utils/fee-strategies/types.ts +56 -0
  37. package/src/l1_tx_utils/index.ts +2 -0
  38. package/src/l1_tx_utils/l1_fee_analyzer.ts +802 -0
  39. package/src/l1_tx_utils/readonly_l1_tx_utils.ts +42 -186
  40. package/src/utils.ts +29 -0
@@ -0,0 +1,245 @@
1
+ import { median } from '@aztec/foundation/collection';
2
+
3
+ import { type GetFeeHistoryReturnType, formatGwei } from 'viem';
4
+
5
+ import type { ViemClient } from '../../types.js';
6
+ import { calculatePercentile, isBlobTransaction } from '../../utils.js';
7
+ import { WEI_CONST } from '../constants.js';
8
+ import {
9
+ HISTORICAL_BLOCK_COUNT,
10
+ type PriorityFeeStrategy,
11
+ type PriorityFeeStrategyContext,
12
+ type PriorityFeeStrategyResult,
13
+ } from './types.js';
14
+
15
+ /**
16
+ * Fetches historical blocks and calculates reward percentiles for blob transactions only.
17
+ * Returns data in the same format as getFeeHistory for easy drop-in replacement.
18
+ *
19
+ * @param client - Viem client to use for RPC calls
20
+ * @param blockCount - Number of historical blocks to fetch
21
+ * @param rewardPercentiles - Array of percentiles to calculate (e.g., [75] for 75th percentile)
22
+ * @returns Object with reward field containing percentile fees for each block, similar to getFeeHistory
23
+ * @throws Error if fetching blocks fails
24
+ */
25
+ export async function getBlobPriorityFeeHistory(
26
+ client: ViemClient,
27
+ blockCount: number,
28
+ rewardPercentiles: number[],
29
+ ): Promise<GetFeeHistoryReturnType> {
30
+ const latestBlockNumber = await client.getBlockNumber();
31
+
32
+ // Fetch multiple blocks in parallel
33
+ const blockPromises = Array.from({ length: blockCount }, (_, i) =>
34
+ client.getBlock({
35
+ blockNumber: latestBlockNumber - BigInt(i),
36
+ includeTransactions: true,
37
+ }),
38
+ );
39
+
40
+ const blocks = await Promise.all(blockPromises);
41
+
42
+ // Process each block to extract blob transaction fees and other data
43
+ const baseFeePerGas: bigint[] = [];
44
+ const gasUsedRatio: number[] = [];
45
+ const reward: bigint[][] = [];
46
+
47
+ for (const block of blocks) {
48
+ // Collect base fee per gas
49
+ baseFeePerGas.push(block.baseFeePerGas || 0n);
50
+
51
+ // Calculate gas used ratio
52
+ const gasUsed = block.gasUsed || 0n;
53
+ const gasLimit = block.gasLimit || 1n; // Avoid division by zero
54
+ gasUsedRatio.push(Number(gasUsed) / Number(gasLimit));
55
+
56
+ if (!block.transactions || block.transactions.length === 0) {
57
+ // No transactions in this block - return zeros for each percentile
58
+ reward.push(rewardPercentiles.map(() => 0n));
59
+ continue;
60
+ }
61
+
62
+ // Extract priority fees from blob transactions only
63
+ const blobFees = block.transactions
64
+ .map(tx => {
65
+ // Transaction can be just a hash string
66
+ if (typeof tx === 'string') {
67
+ return 0n;
68
+ }
69
+
70
+ if (!isBlobTransaction(tx)) {
71
+ return 0n;
72
+ }
73
+ return tx.maxPriorityFeePerGas || 0n;
74
+ })
75
+ .filter((fee: bigint) => fee > 0n);
76
+
77
+ if (blobFees.length === 0) {
78
+ // No blob transactions in this block - return zeros for each percentile
79
+ reward.push(rewardPercentiles.map(() => 0n));
80
+ continue;
81
+ }
82
+
83
+ // Calculate requested percentiles
84
+ const percentiles = rewardPercentiles.map(percentile => calculatePercentile(blobFees, percentile));
85
+
86
+ reward.push(percentiles);
87
+ }
88
+
89
+ // Calculate oldest block number (the last block in our array)
90
+ const oldestBlock = latestBlockNumber - BigInt(blockCount - 1);
91
+
92
+ // Reverse arrays to match getFeeHistory behavior (oldest first)
93
+ return {
94
+ baseFeePerGas: baseFeePerGas.reverse(),
95
+ gasUsedRatio: gasUsedRatio.reverse(),
96
+ oldestBlock,
97
+ reward: reward.reverse(),
98
+ };
99
+ }
100
+
101
+ /**
102
+ * Similar to our current competitive priority fee strategy, but only considers blob transactions
103
+ * when calculating competitive priority fee for blob transactions.
104
+ * This strategy also has NO cap on the competitive fee if it's much higher than the network estimate.
105
+ * Analyzes p75 of pending transactions and 5-block fee history to determine a competitive priority fee.
106
+ * Falls back to network estimate if data is unavailable.
107
+ */
108
+ export const P75BlobTxsOnlyPriorityFeeStrategy: PriorityFeeStrategy = {
109
+ name: 'Competitive (P75 + History) - Blob Txs Only',
110
+ id: 'p75_pending_txs_and_history_blob_txs_only',
111
+
112
+ async execute(client: ViemClient, context: PriorityFeeStrategyContext): Promise<PriorityFeeStrategyResult> {
113
+ const { isBlobTx, logger } = context;
114
+
115
+ // Fire all RPC calls in parallel
116
+ const [latestBlockResult, blobBaseFeeResult, networkEstimateResult, pendingBlockResult, feeHistoryResult] =
117
+ await Promise.allSettled([
118
+ client.getBlock({ blockTag: 'latest' }),
119
+ isBlobTx ? client.getBlobBaseFee() : Promise.resolve(undefined),
120
+ client.estimateMaxPriorityFeePerGas().catch(() => 0n),
121
+ client.getBlock({ blockTag: 'pending', includeTransactions: true }).catch(() => null),
122
+ isBlobTx
123
+ ? getBlobPriorityFeeHistory(client, HISTORICAL_BLOCK_COUNT, [75])
124
+ : client
125
+ .getFeeHistory({
126
+ blockCount: HISTORICAL_BLOCK_COUNT,
127
+ rewardPercentiles: [75],
128
+ blockTag: 'latest',
129
+ })
130
+ .catch(() => null),
131
+ ]);
132
+
133
+ // Extract latest block (required)
134
+ if (latestBlockResult.status === 'rejected') {
135
+ throw new Error(`Failed to get latest block: ${latestBlockResult.reason}`);
136
+ }
137
+ const latestBlock = latestBlockResult.value;
138
+
139
+ // Extract blob base fee (only for blob txs)
140
+ let blobBaseFee: bigint | undefined;
141
+ if (isBlobTx) {
142
+ if (blobBaseFeeResult.status === 'fulfilled' && typeof blobBaseFeeResult.value === 'bigint') {
143
+ blobBaseFee = blobBaseFeeResult.value;
144
+ } else {
145
+ logger?.warn('Failed to get L1 blob base fee');
146
+ }
147
+ }
148
+
149
+ // Extract network estimate
150
+ const networkEstimate =
151
+ networkEstimateResult.status === 'fulfilled' && typeof networkEstimateResult.value === 'bigint'
152
+ ? networkEstimateResult.value
153
+ : 0n;
154
+
155
+ let competitiveFee = networkEstimate;
156
+ const debugInfo: Record<string, string | number> = {
157
+ networkEstimateGwei: formatGwei(networkEstimate),
158
+ };
159
+
160
+ // Extract pending block
161
+ const pendingBlock = pendingBlockResult.status === 'fulfilled' ? pendingBlockResult.value : null;
162
+
163
+ // Analyze pending block transactions
164
+ if (pendingBlock?.transactions && pendingBlock.transactions.length > 0) {
165
+ const pendingFees = pendingBlock.transactions
166
+ .map(tx => {
167
+ if (typeof tx === 'string') {
168
+ return 0n;
169
+ }
170
+ if (isBlobTx) {
171
+ if (!isBlobTransaction(tx)) {
172
+ return 0n;
173
+ }
174
+ }
175
+ return tx.maxPriorityFeePerGas || 0n;
176
+ })
177
+ .filter((fee: bigint) => fee > 0n);
178
+
179
+ if (pendingFees.length > 0) {
180
+ const pendingCompetitiveFee = calculatePercentile(pendingFees, 75);
181
+
182
+ if (pendingCompetitiveFee > competitiveFee) {
183
+ competitiveFee = pendingCompetitiveFee;
184
+ }
185
+
186
+ debugInfo.pendingTxCount = pendingFees.length;
187
+ debugInfo.pendingP75Gwei = formatGwei(pendingCompetitiveFee);
188
+
189
+ logger?.debug('Analyzed pending transactions for competitive pricing', {
190
+ pendingTxCount: pendingFees.length,
191
+ pendingP75: formatGwei(pendingCompetitiveFee),
192
+ });
193
+ }
194
+ }
195
+
196
+ // Extract fee history
197
+ const feeHistory = feeHistoryResult.status === 'fulfilled' ? feeHistoryResult.value : null;
198
+
199
+ // Analyze fee history
200
+ if (feeHistory?.reward && feeHistory.reward.length > 0) {
201
+ // Extract 75th percentile fees from each block
202
+ const percentile75Fees = feeHistory.reward.map(rewards => rewards[0] || 0n).filter(fee => fee > 0n);
203
+
204
+ if (percentile75Fees.length > 0) {
205
+ // Calculate median of the 75th percentile fees across blocks
206
+ const medianHistoricalFee = median(percentile75Fees) ?? 0n;
207
+
208
+ // Debug: Log suspicious fees from history
209
+ if (medianHistoricalFee > 100n * WEI_CONST) {
210
+ logger?.warn('Suspicious high fee in history', {
211
+ historicalMedian: formatGwei(medianHistoricalFee),
212
+ allP75Fees: percentile75Fees.map(f => formatGwei(f)),
213
+ });
214
+ }
215
+
216
+ if (medianHistoricalFee > competitiveFee) {
217
+ competitiveFee = medianHistoricalFee;
218
+ }
219
+
220
+ debugInfo.historicalMedianGwei = formatGwei(medianHistoricalFee);
221
+
222
+ logger?.debug('Analyzed fee history for competitive pricing', {
223
+ historicalMedian: formatGwei(medianHistoricalFee),
224
+ });
225
+ }
226
+ }
227
+
228
+ // Log final decision
229
+ if (competitiveFee > networkEstimate) {
230
+ logger?.debug('Using competitive fee from market analysis', {
231
+ networkEstimate: formatGwei(networkEstimate),
232
+ competitive: formatGwei(competitiveFee),
233
+ });
234
+ }
235
+
236
+ debugInfo.finalFeeGwei = formatGwei(competitiveFee);
237
+
238
+ return {
239
+ priorityFee: competitiveFee,
240
+ latestBlock,
241
+ blobBaseFee,
242
+ debugInfo,
243
+ };
244
+ },
245
+ };
@@ -0,0 +1,56 @@
1
+ import type { Logger } from '@aztec/foundation/log';
2
+
3
+ import type { Block } from 'viem';
4
+
5
+ import type { ViemClient } from '../../types.js';
6
+ import type { L1TxUtilsConfig } from '../config.js';
7
+
8
+ /**
9
+ * Historical block count for fee history queries
10
+ */
11
+ export const HISTORICAL_BLOCK_COUNT = 5;
12
+
13
+ /**
14
+ * Result from a priority fee strategy calculation
15
+ */
16
+ export interface PriorityFeeStrategyResult {
17
+ /** The calculated priority fee in wei */
18
+ priorityFee: bigint;
19
+ /** The latest block (fetched as part of the strategy) */
20
+ latestBlock: Block;
21
+ /** The blob base fee (only present for blob transactions) */
22
+ blobBaseFee?: bigint;
23
+ /** Optional debug info about how the fee was calculated */
24
+ debugInfo?: Record<string, string | number>;
25
+ }
26
+
27
+ /**
28
+ * Context passed to the strategy function
29
+ */
30
+ export interface PriorityFeeStrategyContext {
31
+ /** Gas configuration */
32
+ gasConfig: L1TxUtilsConfig;
33
+ /** Whether this is for a blob transaction */
34
+ isBlobTx: boolean;
35
+ /** Logger for debugging */
36
+ logger?: Logger;
37
+ }
38
+
39
+ /**
40
+ * A strategy for calculating the priority fee for L1 transactions.
41
+ * The function handles all RPC calls and returns
42
+ * the priority fee, along with any block data needed by the caller.
43
+ */
44
+ export type PriorityFeeStrategy = {
45
+ /** Human-readable name for logging */
46
+ name: string;
47
+ /** Unique identifier for metrics */
48
+ id: string;
49
+ /**
50
+ * Calculate the priority fee.
51
+ * @param client - The viem client to use for RPC calls
52
+ * @param context - Contains gas config, whether it's a blob tx, and logger
53
+ * @returns The calculated priority fee result including block data
54
+ */
55
+ execute: (client: ViemClient, context: PriorityFeeStrategyContext) => Promise<PriorityFeeStrategyResult>;
56
+ };
@@ -1,7 +1,9 @@
1
1
  export * from './config.js';
2
2
  export * from './constants.js';
3
3
  export * from './factory.js';
4
+ export * from './fee-strategies/index.js';
4
5
  export * from './interfaces.js';
6
+ export * from './l1_fee_analyzer.js';
5
7
  export * from './l1_tx_utils.js';
6
8
  export * from './readonly_l1_tx_utils.js';
7
9
  export * from './signer.js';