@aztec/sequencer-client 0.0.1-commit.d3ec352c → 0.0.1-commit.fcb71a6

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 (93) hide show
  1. package/dest/client/sequencer-client.d.ts +10 -9
  2. package/dest/client/sequencer-client.d.ts.map +1 -1
  3. package/dest/client/sequencer-client.js +32 -25
  4. package/dest/config.d.ts +12 -5
  5. package/dest/config.d.ts.map +1 -1
  6. package/dest/config.js +68 -30
  7. package/dest/global_variable_builder/global_builder.d.ts +18 -9
  8. package/dest/global_variable_builder/global_builder.d.ts.map +1 -1
  9. package/dest/global_variable_builder/global_builder.js +39 -29
  10. package/dest/index.d.ts +2 -2
  11. package/dest/index.d.ts.map +1 -1
  12. package/dest/index.js +1 -1
  13. package/dest/publisher/config.d.ts +7 -4
  14. package/dest/publisher/config.d.ts.map +1 -1
  15. package/dest/publisher/config.js +9 -3
  16. package/dest/publisher/sequencer-publisher-factory.d.ts +5 -4
  17. package/dest/publisher/sequencer-publisher-factory.d.ts.map +1 -1
  18. package/dest/publisher/sequencer-publisher-factory.js +1 -1
  19. package/dest/publisher/sequencer-publisher-metrics.d.ts +3 -3
  20. package/dest/publisher/sequencer-publisher-metrics.d.ts.map +1 -1
  21. package/dest/publisher/sequencer-publisher.d.ts +32 -25
  22. package/dest/publisher/sequencer-publisher.d.ts.map +1 -1
  23. package/dest/publisher/sequencer-publisher.js +122 -65
  24. package/dest/sequencer/block_builder.d.ts +2 -4
  25. package/dest/sequencer/block_builder.d.ts.map +1 -1
  26. package/dest/sequencer/block_builder.js +6 -11
  27. package/dest/sequencer/checkpoint_builder.d.ts +63 -0
  28. package/dest/sequencer/checkpoint_builder.d.ts.map +1 -0
  29. package/dest/sequencer/checkpoint_builder.js +131 -0
  30. package/dest/sequencer/checkpoint_proposal_job.d.ts +74 -0
  31. package/dest/sequencer/checkpoint_proposal_job.d.ts.map +1 -0
  32. package/dest/sequencer/checkpoint_proposal_job.js +642 -0
  33. package/dest/sequencer/checkpoint_voter.d.ts +34 -0
  34. package/dest/sequencer/checkpoint_voter.d.ts.map +1 -0
  35. package/dest/sequencer/checkpoint_voter.js +85 -0
  36. package/dest/sequencer/config.d.ts +3 -2
  37. package/dest/sequencer/config.d.ts.map +1 -1
  38. package/dest/sequencer/events.d.ts +46 -0
  39. package/dest/sequencer/events.d.ts.map +1 -0
  40. package/dest/sequencer/events.js +1 -0
  41. package/dest/sequencer/index.d.ts +5 -1
  42. package/dest/sequencer/index.d.ts.map +1 -1
  43. package/dest/sequencer/index.js +4 -0
  44. package/dest/sequencer/metrics.d.ts +22 -2
  45. package/dest/sequencer/metrics.d.ts.map +1 -1
  46. package/dest/sequencer/metrics.js +154 -0
  47. package/dest/sequencer/sequencer.d.ts +93 -127
  48. package/dest/sequencer/sequencer.d.ts.map +1 -1
  49. package/dest/sequencer/sequencer.js +218 -574
  50. package/dest/sequencer/timetable.d.ts +54 -14
  51. package/dest/sequencer/timetable.d.ts.map +1 -1
  52. package/dest/sequencer/timetable.js +148 -59
  53. package/dest/sequencer/types.d.ts +3 -0
  54. package/dest/sequencer/types.d.ts.map +1 -0
  55. package/dest/sequencer/types.js +1 -0
  56. package/dest/sequencer/utils.d.ts +14 -8
  57. package/dest/sequencer/utils.d.ts.map +1 -1
  58. package/dest/sequencer/utils.js +7 -4
  59. package/dest/test/index.d.ts +4 -2
  60. package/dest/test/index.d.ts.map +1 -1
  61. package/dest/test/mock_checkpoint_builder.d.ts +83 -0
  62. package/dest/test/mock_checkpoint_builder.d.ts.map +1 -0
  63. package/dest/test/mock_checkpoint_builder.js +179 -0
  64. package/dest/test/utils.d.ts +49 -0
  65. package/dest/test/utils.d.ts.map +1 -0
  66. package/dest/test/utils.js +94 -0
  67. package/dest/tx_validator/tx_validator_factory.js +1 -1
  68. package/package.json +27 -27
  69. package/src/client/sequencer-client.ts +28 -38
  70. package/src/config.ts +73 -34
  71. package/src/global_variable_builder/global_builder.ts +52 -48
  72. package/src/index.ts +2 -0
  73. package/src/publisher/config.ts +12 -9
  74. package/src/publisher/sequencer-publisher-factory.ts +5 -4
  75. package/src/publisher/sequencer-publisher-metrics.ts +2 -2
  76. package/src/publisher/sequencer-publisher.ts +180 -84
  77. package/src/sequencer/README.md +531 -0
  78. package/src/sequencer/block_builder.ts +7 -12
  79. package/src/sequencer/checkpoint_builder.ts +217 -0
  80. package/src/sequencer/checkpoint_proposal_job.ts +706 -0
  81. package/src/sequencer/checkpoint_voter.ts +105 -0
  82. package/src/sequencer/config.ts +2 -1
  83. package/src/sequencer/events.ts +27 -0
  84. package/src/sequencer/index.ts +4 -0
  85. package/src/sequencer/metrics.ts +203 -1
  86. package/src/sequencer/sequencer.ts +322 -779
  87. package/src/sequencer/timetable.ts +173 -79
  88. package/src/sequencer/types.ts +6 -0
  89. package/src/sequencer/utils.ts +18 -9
  90. package/src/test/index.ts +3 -1
  91. package/src/test/mock_checkpoint_builder.ts +247 -0
  92. package/src/test/utils.ts +137 -0
  93. package/src/tx_validator/tx_validator_factory.ts +1 -1
@@ -1,241 +1,156 @@
1
- import { L2Block } from '@aztec/aztec.js/block';
2
- import { BLOBS_PER_CHECKPOINT, FIELDS_PER_BLOB, INITIAL_L2_BLOCK_NUM } from '@aztec/constants';
1
+ import { getKzg } from '@aztec/blob-lib';
2
+ import { INITIAL_L2_BLOCK_NUM } from '@aztec/constants';
3
3
  import type { EpochCache } from '@aztec/epoch-cache';
4
- import { FormattedViemError, NoCommitteeError, type RollupContract } from '@aztec/ethereum';
4
+ import { NoCommitteeError, type RollupContract } from '@aztec/ethereum/contracts';
5
5
  import { BlockNumber, CheckpointNumber, EpochNumber, SlotNumber } from '@aztec/foundation/branded-types';
6
- import { omit, pick } from '@aztec/foundation/collection';
7
- import { randomInt } from '@aztec/foundation/crypto';
6
+ import { merge, omit, pick } from '@aztec/foundation/collection';
7
+ import { Fr } from '@aztec/foundation/curves/bn254';
8
8
  import { EthAddress } from '@aztec/foundation/eth-address';
9
- import { Signature } from '@aztec/foundation/eth-signature';
10
- import { Fr } from '@aztec/foundation/fields';
11
9
  import { createLogger } from '@aztec/foundation/log';
12
10
  import { RunningPromise } from '@aztec/foundation/running-promise';
13
- import { type DateProvider, Timer } from '@aztec/foundation/timer';
14
- import { type TypedEventEmitter, unfreeze } from '@aztec/foundation/types';
11
+ import type { DateProvider } from '@aztec/foundation/timer';
12
+ import type { TypedEventEmitter } from '@aztec/foundation/types';
15
13
  import type { P2P } from '@aztec/p2p';
16
14
  import type { SlasherClientInterface } from '@aztec/slasher';
15
+ import type { L2BlockNew, L2BlockSource, ValidateBlockResult } from '@aztec/stdlib/block';
16
+ import type { Checkpoint } from '@aztec/stdlib/checkpoint';
17
+ import { getSlotAtTimestamp, getSlotStartBuildTimestamp } from '@aztec/stdlib/epoch-helpers';
17
18
  import {
18
- CommitteeAttestation,
19
- CommitteeAttestationsAndSigners,
20
- type L2BlockSource,
21
- MaliciousCommitteeAttestationsAndSigners,
22
- type ValidateBlockResult,
23
- } from '@aztec/stdlib/block';
24
- import { type L1RollupConstants, getSlotAtTimestamp, getSlotStartBuildTimestamp } from '@aztec/stdlib/epoch-helpers';
25
- import { Gas } from '@aztec/stdlib/gas';
26
- import {
27
- type IFullNodeBlockBuilder,
28
- type PublicProcessorLimits,
19
+ type ResolvedSequencerConfig,
20
+ type SequencerConfig,
29
21
  SequencerConfigSchema,
30
22
  type WorldStateSynchronizer,
31
23
  } from '@aztec/stdlib/interfaces/server';
32
24
  import type { L1ToL2MessageSource } from '@aztec/stdlib/messaging';
33
- import type { BlockProposalOptions } from '@aztec/stdlib/p2p';
34
- import { orderAttestations } from '@aztec/stdlib/p2p';
35
- import { CheckpointHeader } from '@aztec/stdlib/rollup';
36
25
  import { pickFromSchema } from '@aztec/stdlib/schemas';
37
- import type { L2BlockBuiltStats } from '@aztec/stdlib/stats';
38
26
  import { MerkleTreeId } from '@aztec/stdlib/trees';
39
- import { ContentCommitment, type FailedTx, GlobalVariables, Tx } from '@aztec/stdlib/tx';
40
- import { AttestationTimeoutError } from '@aztec/stdlib/validators';
41
- import { Attributes, type TelemetryClient, type Tracer, getTelemetryClient, trackSpan } from '@aztec/telemetry-client';
27
+ import { type TelemetryClient, type Tracer, getTelemetryClient, trackSpan } from '@aztec/telemetry-client';
42
28
  import type { ValidatorClient } from '@aztec/validator-client';
43
29
 
44
30
  import EventEmitter from 'node:events';
45
- import type { TypedDataDefinition } from 'viem';
46
31
 
32
+ import { DefaultSequencerConfig } from '../config.js';
47
33
  import type { GlobalVariableBuilder } from '../global_variable_builder/global_builder.js';
48
34
  import type { SequencerPublisherFactory } from '../publisher/sequencer-publisher-factory.js';
49
- import type { Action, InvalidateBlockRequest, SequencerPublisher } from '../publisher/sequencer-publisher.js';
50
- import type { SequencerConfig } from './config.js';
35
+ import type { InvalidateBlockRequest, SequencerPublisher } from '../publisher/sequencer-publisher.js';
36
+ import { FullNodeCheckpointsBuilder } from './checkpoint_builder.js';
37
+ import { CheckpointProposalJob } from './checkpoint_proposal_job.js';
38
+ import { CheckpointVoter } from './checkpoint_voter.js';
51
39
  import { SequencerInterruptedError, SequencerTooSlowError } from './errors.js';
40
+ import type { SequencerEvents } from './events.js';
52
41
  import { SequencerMetrics } from './metrics.js';
53
42
  import { SequencerTimetable } from './timetable.js';
54
- import { SequencerState, type SequencerStateWithSlot } from './utils.js';
43
+ import type { SequencerRollupConstants } from './types.js';
44
+ import { SequencerState } from './utils.js';
55
45
 
56
46
  export { SequencerState };
57
47
 
58
- type SequencerRollupConstants = Pick<L1RollupConstants, 'ethereumSlotDuration' | 'l1GenesisTime' | 'slotDuration'>;
59
-
60
- export type SequencerEvents = {
61
- ['state-changed']: (args: {
62
- oldState: SequencerState;
63
- newState: SequencerState;
64
- secondsIntoSlot?: number;
65
- slotNumber?: SlotNumber;
66
- }) => void;
67
- ['proposer-rollup-check-failed']: (args: { reason: string }) => void;
68
- ['tx-count-check-failed']: (args: { minTxs: number; availableTxs: number }) => void;
69
- ['block-build-failed']: (args: { reason: string }) => void;
70
- ['block-publish-failed']: (args: {
71
- successfulActions?: Action[];
72
- failedActions?: Action[];
73
- sentActions?: Action[];
74
- expiredActions?: Action[];
75
- }) => void;
76
- ['block-published']: (args: { blockNumber: BlockNumber; slot: number }) => void;
77
- };
78
-
79
48
  /**
80
49
  * Sequencer client
81
- * - Wins a period of time to become the sequencer (depending on finalized protocol).
82
- * - Chooses a set of txs from the tx pool to be in the rollup.
83
- * - Simulate the rollup of txs.
84
- * - Adds proof requests to the request pool (not for this milestone).
85
- * - Receives results to those proofs from the network (repeats as necessary) (not for this milestone).
86
- * - Publishes L1 tx(s) to the rollup contract via RollupPublisher.
50
+ * - Checks whether it is elected as proposer for the next slot
51
+ * - Builds multiple blocks and broadcasts them
52
+ * - Collects attestations for the checkpoint
53
+ * - Publishes the checkpoint to L1
54
+ * - Votes for proposals and slashes on L1
87
55
  */
88
56
  export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<SequencerEvents>) {
89
57
  private runningPromise?: RunningPromise;
90
- private pollingIntervalMs: number = 1000;
91
- private maxTxsPerBlock = 32;
92
- private minTxsPerBlock = 1;
93
- private maxL1TxInclusionTimeIntoSlot = 0;
94
58
  private state = SequencerState.STOPPED;
95
- private maxBlockSizeInBytes: number = 1024 * 1024;
96
- private maxBlockGas: Gas = new Gas(100e9, 100e9);
97
59
  private metrics: SequencerMetrics;
98
60
 
99
- private lastBlockPublished: L2Block | undefined;
100
-
101
- private governanceProposerPayload: EthAddress | undefined;
102
-
103
61
  /** The last slot for which we attempted to vote when sync failed, to prevent duplicate attempts. */
104
62
  private lastSlotForVoteWhenSyncFailed: SlotNumber | undefined;
105
63
 
106
- /** The last slot for which we built a validation block in fisherman mode, to prevent duplicate attempts. */
107
- private lastSlotForValidationBlock: SlotNumber | undefined;
64
+ /** The last slot for which we triggered a checkpoint proposal job, to prevent duplicate attempts. */
65
+ private lastSlotForCheckpointProposalJob: SlotNumber | undefined;
66
+
67
+ /** Last successful checkpoint proposed */
68
+ private lastCheckpointProposed: Checkpoint | undefined;
69
+
70
+ /** The last epoch for which we logged strategy comparison in fisherman mode. */
71
+ private lastEpochForStrategyComparison: EpochNumber | undefined;
108
72
 
109
73
  /** The maximum number of seconds that the sequencer can be into a slot to transition to a particular state. */
110
74
  protected timetable!: SequencerTimetable;
111
- protected enforceTimeTable: boolean = false;
112
75
 
113
76
  // This shouldn't be here as this gets re-created each time we build/propose a block.
114
77
  // But we have a number of tests that abuse/rely on this class having a permanent publisher.
115
78
  // As long as those tests only configure a single publisher they will continue to work.
116
79
  // This will get re-assigned every time the sequencer goes to build a new block to a publisher that is valid
117
80
  // for the block proposer.
81
+ // TODO(palla/mbps): Remove this field and fix tests
118
82
  protected publisher: SequencerPublisher | undefined;
119
83
 
84
+ /** Config for the sequencer */
85
+ protected config: ResolvedSequencerConfig = DefaultSequencerConfig;
86
+
120
87
  constructor(
121
88
  protected publisherFactory: SequencerPublisherFactory,
122
- protected validatorClient: ValidatorClient | undefined, // During migration the validator client can be inactive
89
+ protected validatorClient: ValidatorClient,
123
90
  protected globalsBuilder: GlobalVariableBuilder,
124
91
  protected p2pClient: P2P,
125
92
  protected worldState: WorldStateSynchronizer,
126
93
  protected slasherClient: SlasherClientInterface | undefined,
127
94
  protected l2BlockSource: L2BlockSource,
128
95
  protected l1ToL2MessageSource: L1ToL2MessageSource,
129
- protected blockBuilder: IFullNodeBlockBuilder,
96
+ protected checkpointsBuilder: FullNodeCheckpointsBuilder,
130
97
  protected l1Constants: SequencerRollupConstants,
131
98
  protected dateProvider: DateProvider,
132
99
  protected epochCache: EpochCache,
133
100
  protected rollupContract: RollupContract,
134
- protected config: SequencerConfig,
101
+ config: SequencerConfig,
135
102
  protected telemetry: TelemetryClient = getTelemetryClient(),
136
103
  protected log = createLogger('sequencer'),
137
104
  ) {
138
105
  super();
139
106
 
140
107
  // Add [FISHERMAN] prefix to logger if in fisherman mode
141
- if (this.config.fishermanMode) {
108
+ if (config.fishermanMode) {
142
109
  this.log = log.createChild('[FISHERMAN]');
143
110
  }
144
111
 
145
112
  this.metrics = new SequencerMetrics(telemetry, this.rollupContract, 'Sequencer');
146
- // Initialize config
147
- this.updateConfig(this.config);
148
- }
149
-
150
- get tracer(): Tracer {
151
- return this.metrics.tracer;
152
- }
153
-
154
- public getValidatorAddresses() {
155
- return this.validatorClient?.getValidatorAddresses();
156
- }
157
-
158
- public getConfig() {
159
- return this.config;
160
- }
161
-
162
- /**
163
- * Updates sequencer config by the defined values in the config on input.
164
- * @param config - New parameters.
165
- */
166
- public updateConfig(config: SequencerConfig) {
167
- this.log.info(
168
- `Sequencer config set`,
169
- omit(pickFromSchema(config, SequencerConfigSchema), 'txPublicSetupAllowList'),
170
- );
171
-
172
- if (config.transactionPollingIntervalMS !== undefined) {
173
- this.pollingIntervalMs = config.transactionPollingIntervalMS;
174
- }
175
- if (config.maxTxsPerBlock !== undefined) {
176
- this.maxTxsPerBlock = config.maxTxsPerBlock;
177
- }
178
- if (config.minTxsPerBlock !== undefined) {
179
- this.minTxsPerBlock = config.minTxsPerBlock;
180
- }
181
- if (config.maxDABlockGas !== undefined) {
182
- this.maxBlockGas = new Gas(config.maxDABlockGas, this.maxBlockGas.l2Gas);
183
- }
184
- if (config.maxL2BlockGas !== undefined) {
185
- this.maxBlockGas = new Gas(this.maxBlockGas.daGas, config.maxL2BlockGas);
186
- }
187
- if (config.maxBlockSizeInBytes !== undefined) {
188
- this.maxBlockSizeInBytes = config.maxBlockSizeInBytes;
189
- }
190
- if (config.governanceProposerPayload) {
191
- this.governanceProposerPayload = config.governanceProposerPayload;
192
- }
193
- if (config.maxL1TxInclusionTimeIntoSlot !== undefined) {
194
- this.maxL1TxInclusionTimeIntoSlot = config.maxL1TxInclusionTimeIntoSlot;
195
- }
196
- if (config.enforceTimeTable !== undefined) {
197
- this.enforceTimeTable = config.enforceTimeTable;
198
- }
199
-
200
- this.setTimeTable();
201
-
202
- // TODO: Just read everything from the config object as needed instead of copying everything into local vars.
203
-
204
- // Update all values on this.config that are populated in the config object.
205
- Object.assign(this.config, config);
113
+ this.updateConfig(config);
206
114
  }
207
115
 
208
- private setTimeTable() {
116
+ /** Updates sequencer config by the defined values and updates the timetable */
117
+ public updateConfig(config: Partial<SequencerConfig>) {
118
+ const filteredConfig = pickFromSchema(config, SequencerConfigSchema);
119
+ this.log.info(`Updated sequencer config`, omit(filteredConfig, 'txPublicSetupAllowList'));
120
+ this.config = merge(this.config, filteredConfig);
209
121
  this.timetable = new SequencerTimetable(
210
122
  {
211
123
  ethereumSlotDuration: this.l1Constants.ethereumSlotDuration,
212
124
  aztecSlotDuration: this.aztecSlotDuration,
213
- maxL1TxInclusionTimeIntoSlot: this.maxL1TxInclusionTimeIntoSlot,
214
- attestationPropagationTime: this.config.attestationPropagationTime,
215
- enforce: this.enforceTimeTable,
125
+ l1PublishingTime: this.l1PublishingTime,
126
+ p2pPropagationTime: this.config.attestationPropagationTime,
127
+ blockDurationMs: this.config.blockDurationMs,
128
+ enforce: this.config.enforceTimeTable,
216
129
  },
217
130
  this.metrics,
218
131
  this.log,
219
132
  );
220
133
  }
221
134
 
135
+ /** Initializes the sequencer (precomputes tables and creates a publisher). Takes about 3s. */
222
136
  public async init() {
137
+ getKzg();
223
138
  this.publisher = (await this.publisherFactory.create(undefined)).publisher;
224
139
  }
225
140
 
226
- /**
227
- * Starts the sequencer and moves to IDLE state.
228
- */
141
+ /** Starts the sequencer and moves to IDLE state. */
229
142
  public start() {
230
- this.runningPromise = new RunningPromise(this.safeWork.bind(this), this.log, this.pollingIntervalMs);
143
+ this.runningPromise = new RunningPromise(
144
+ this.safeWork.bind(this),
145
+ this.log,
146
+ this.config.sequencerPollingIntervalMS,
147
+ );
231
148
  this.setState(SequencerState.IDLE, undefined, { force: true });
232
149
  this.runningPromise.start();
233
150
  this.log.info('Started sequencer');
234
151
  }
235
152
 
236
- /**
237
- * Stops the sequencer from processing txs and moves to STOPPED state.
238
- */
153
+ /** Stops the sequencer from building blocks and moves to STOPPED state. */
239
154
  public async stop(): Promise<void> {
240
155
  this.log.info(`Stopping sequencer`);
241
156
  this.setState(SequencerState.STOPPING, undefined, { force: true });
@@ -245,52 +160,119 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
245
160
  this.log.info('Stopped sequencer');
246
161
  }
247
162
 
248
- /**
249
- * Returns the current state of the sequencer.
250
- * @returns An object with a state entry with one of SequencerState.
251
- */
163
+ @trackSpan('Sequencer.work')
164
+ /** Main sequencer loop with a try/catch */
165
+ protected async safeWork() {
166
+ try {
167
+ await this.work();
168
+ } catch (err) {
169
+ this.emit('checkpoint-error', { error: err as Error });
170
+ if (err instanceof SequencerTooSlowError) {
171
+ // TODO(palla/mbps): Add missing states
172
+ // Log as warn only if we had to abort halfway through the block proposal
173
+ const logLvl = [SequencerState.INITIALIZING_CHECKPOINT, SequencerState.PROPOSER_CHECK].includes(
174
+ err.proposedState,
175
+ )
176
+ ? ('debug' as const)
177
+ : ('warn' as const);
178
+ this.log[logLvl](err.message, { now: this.dateProvider.nowInSeconds() });
179
+ } else {
180
+ // Re-throw other errors
181
+ throw err;
182
+ }
183
+ } finally {
184
+ this.setState(SequencerState.IDLE, undefined);
185
+ }
186
+ }
187
+
188
+ /** Returns the current state of the sequencer. */
252
189
  public status() {
253
190
  return { state: this.state };
254
191
  }
255
192
 
256
193
  /**
257
- * @notice Performs most of the sequencer duties:
258
- * - Checks if we are up to date
259
- * - If we are and we are the sequencer, collect txs and build a block
260
- * - Collect attestations for the block
261
- * - Submit block
262
- * - If our block for some reason is not included, revert the state
194
+ * Main sequencer loop:
195
+ * - Checks if we are up to date
196
+ * - If we are and we are the sequencer, collect txs and build blocks
197
+ * - Build multiple blocks per slot when configured
198
+ * - Collect attestations for the final block
199
+ * - Submit checkpoint
263
200
  */
264
201
  protected async work() {
265
202
  this.setState(SequencerState.SYNCHRONIZING, undefined);
266
- const { slot, ts, now } = this.epochCache.getEpochAndSlotInNextL1Slot();
203
+ const { slot, ts, now, epoch } = this.epochCache.getEpochAndSlotInNextL1Slot();
267
204
 
268
- // Check we have not already published a block for this slot (cheapest check)
269
- if (this.lastBlockPublished && this.lastBlockPublished.header.getSlot() >= slot) {
270
- this.log.debug(
271
- `Cannot propose block at next L2 slot ${slot} since that slot was taken by our own block ${this.lastBlockPublished.number}`,
272
- );
205
+ // Check if we are synced and it's our slot, grab a publisher, check previous block invalidation, etc
206
+ const checkpointProposalJob = await this.prepareCheckpointProposal(slot, ts, now);
207
+ if (!checkpointProposalJob) {
273
208
  return;
274
209
  }
275
210
 
211
+ // Execute the checkpoint proposal job
212
+ const checkpoint = await checkpointProposalJob.execute();
213
+
214
+ // Update last checkpoint proposed (currently unused)
215
+ if (checkpoint) {
216
+ this.lastCheckpointProposed = checkpoint;
217
+ }
218
+
219
+ // Log fee strategy comparison if on fisherman
220
+ if (
221
+ this.config.fishermanMode &&
222
+ (this.lastEpochForStrategyComparison === undefined || epoch > this.lastEpochForStrategyComparison)
223
+ ) {
224
+ this.logStrategyComparison(epoch, checkpointProposalJob.getPublisher());
225
+ this.lastEpochForStrategyComparison = epoch;
226
+ }
227
+
228
+ return checkpoint;
229
+ }
230
+
231
+ /**
232
+ * Prepares the checkpoint proposal by performing all necessary checks and setup.
233
+ * This is the initial step in the main loop.
234
+ * @returns CheckpointProposalJob if successful, undefined if we are not yet synced or are not the proposer.
235
+ */
236
+ private async prepareCheckpointProposal(
237
+ slot: SlotNumber,
238
+ ts: bigint,
239
+ now: bigint,
240
+ ): Promise<CheckpointProposalJob | undefined> {
241
+ // Check we have not already processed this slot (cheapest check)
242
+ // We only check this if enforce timetable is set, since we want to keep processing the same slot if we are not
243
+ // running against actual time (eg when we use sandbox-style automining)
244
+ if (
245
+ this.lastSlotForCheckpointProposalJob &&
246
+ this.lastSlotForCheckpointProposalJob >= slot &&
247
+ this.config.enforceTimeTable
248
+ ) {
249
+ this.log.trace(`Slot ${slot} has already been processed`);
250
+ return undefined;
251
+ }
252
+
253
+ // But if we have already proposed for this slot, the we definitely have to skip it, automining or not
254
+ if (this.lastCheckpointProposed && this.lastCheckpointProposed.header.slotNumber >= slot) {
255
+ this.log.trace(`Slot ${slot} has already been published as checkpoint ${this.lastCheckpointProposed.number}`);
256
+ return undefined;
257
+ }
258
+
276
259
  // Check all components are synced to latest as seen by the archiver (queries all subsystems)
277
260
  const syncedTo = await this.checkSync({ ts, slot });
278
261
  if (!syncedTo) {
279
262
  await this.tryVoteWhenSyncFails({ slot, ts });
280
- return;
263
+ return undefined;
281
264
  }
282
265
 
283
- const chainTipArchive = syncedTo.archive;
284
- const newBlockNumber = BlockNumber(syncedTo.blockNumber + 1);
266
+ // TODO(palla/mbps): Compute proper checkpoint number
267
+ const checkpointNumber = CheckpointNumber.fromBlockNumber(BlockNumber(syncedTo.blockNumber + 1));
285
268
 
286
- const syncLogData = {
269
+ const logCtx = {
287
270
  now,
288
271
  syncedToL1Ts: syncedTo.l1Timestamp,
289
272
  syncedToL2Slot: getSlotAtTimestamp(syncedTo.l1Timestamp, this.l1Constants),
290
- nextL2Slot: slot,
291
- nextL2SlotTs: ts,
292
- l1SlotDuration: this.l1Constants.ethereumSlotDuration,
293
- newBlockNumber,
273
+ slot,
274
+ slotTs: ts,
275
+ checkpointNumber,
294
276
  isPendingChainValid: pick(syncedTo.pendingChainValidationStatus, 'valid', 'reason', 'invalidIndex'),
295
277
  };
296
278
 
@@ -301,266 +283,138 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
301
283
  // If we are not a proposer check if we should invalidate a invalid block, and bail
302
284
  if (!canPropose) {
303
285
  await this.considerInvalidatingBlock(syncedTo, slot);
304
- return;
305
- }
306
-
307
- // In fisherman mode, check if we've already validated this slot to prevent duplicate attempts
308
- if (this.config.fishermanMode) {
309
- if (this.lastSlotForValidationBlock === slot) {
310
- this.log.trace(`Already validated block building for slot ${slot} (skipping)`, { slot });
311
- return;
312
- }
313
- this.log.debug(
314
- `Building validation block for slot ${slot} (actual proposer: ${proposer?.toString() ?? 'none'})`,
315
- { slot, proposer: proposer?.toString() },
316
- );
317
- // Mark this slot as being validated
318
- this.lastSlotForValidationBlock = slot;
286
+ return undefined;
319
287
  }
320
288
 
321
289
  // Check that the slot is not taken by a block already (should never happen, since only us can propose for this slot)
322
290
  if (syncedTo.block && syncedTo.block.header.getSlot() >= slot) {
323
291
  this.log.warn(
324
292
  `Cannot propose block at next L2 slot ${slot} since that slot was taken by block ${syncedTo.blockNumber}`,
325
- { ...syncLogData, block: syncedTo.block.header.toInspect() },
293
+ { ...logCtx, block: syncedTo.block.header.toInspect() },
326
294
  );
327
295
  this.metrics.recordBlockProposalPrecheckFailed('slot_already_taken');
328
- return;
296
+ return undefined;
329
297
  }
330
298
 
331
299
  // We now need to get ourselves a publisher.
332
300
  // The returned attestor will be the one we provided if we provided one.
333
301
  // Otherwise it will be a valid attestor for the returned publisher.
334
302
  // In fisherman mode, pass undefined to use the fisherman's own keystore instead of the actual proposer's
335
- const { attestorAddress, publisher } = await this.publisherFactory.create(
336
- this.config.fishermanMode ? undefined : proposer,
337
- );
303
+ const proposerForPublisher = this.config.fishermanMode ? undefined : proposer;
304
+ const { attestorAddress, publisher } = await this.publisherFactory.create(proposerForPublisher);
338
305
  this.log.verbose(`Created publisher at address ${publisher.getSenderAddress()} for attestor ${attestorAddress}`);
339
306
  this.publisher = publisher;
340
307
 
341
308
  // In fisherman mode, set the actual proposer's address for simulations
342
- if (this.config.fishermanMode) {
343
- if (proposer) {
344
- publisher.setProposerAddressForSimulation(proposer);
345
- this.log.debug(`Set proposer address ${proposer} for simulation in fisherman mode`);
346
- }
309
+ if (this.config.fishermanMode && proposer) {
310
+ publisher.setProposerAddressForSimulation(proposer);
311
+ this.log.debug(`Set proposer address ${proposer} for simulation in fisherman mode`);
347
312
  }
348
313
 
349
- // Get proposer credentials
350
- const coinbase = this.validatorClient!.getCoinbaseForAttestor(attestorAddress);
351
- const feeRecipient = this.validatorClient!.getFeeRecipientForAttestor(attestorAddress);
352
-
353
314
  // Prepare invalidation request if the pending chain is invalid (returns undefined if no need)
315
+ // TODO(palla/mbps): We need to invalidate checkpoints, not blocks
354
316
  const invalidateBlock = await publisher.simulateInvalidateBlock(syncedTo.pendingChainValidationStatus);
355
317
 
356
- // Check with the rollup if we can indeed propose at the next L2 slot. This check should not fail
318
+ // Check with the rollup contract if we can indeed propose at the next L2 slot. This check should not fail
357
319
  // if all the previous checks are good, but we do it just in case.
358
320
  const canProposeCheck = await publisher.canProposeAtNextEthBlock(
359
- chainTipArchive,
321
+ syncedTo.archive,
360
322
  proposer ?? EthAddress.ZERO,
361
323
  invalidateBlock,
362
324
  );
363
325
 
364
326
  if (canProposeCheck === undefined) {
365
327
  this.log.warn(
366
- `Cannot propose block ${newBlockNumber} at slot ${slot} due to failed rollup contract check`,
367
- syncLogData,
328
+ `Cannot propose checkpoint ${checkpointNumber} at slot ${slot} due to failed rollup contract check`,
329
+ logCtx,
368
330
  );
369
- this.emit('proposer-rollup-check-failed', { reason: 'Rollup contract check failed' });
331
+ this.emit('proposer-rollup-check-failed', { reason: 'Rollup contract check failed', slot });
370
332
  this.metrics.recordBlockProposalPrecheckFailed('rollup_contract_check_failed');
371
- return;
372
- } else if (canProposeCheck.slot !== slot) {
333
+ return undefined;
334
+ }
335
+
336
+ if (canProposeCheck.slot !== slot) {
373
337
  this.log.warn(
374
338
  `Cannot propose block due to slot mismatch with rollup contract (this can be caused by a clock out of sync). Expected slot ${slot} but got ${canProposeCheck.slot}.`,
375
- { ...syncLogData, rollup: canProposeCheck, newBlockNumber, expectedSlot: slot },
339
+ { ...logCtx, rollup: canProposeCheck, expectedSlot: slot },
376
340
  );
377
- this.emit('proposer-rollup-check-failed', { reason: 'Slot mismatch' });
341
+ this.emit('proposer-rollup-check-failed', { reason: 'Slot mismatch', slot });
378
342
  this.metrics.recordBlockProposalPrecheckFailed('slot_mismatch');
379
- return;
380
- } else if (canProposeCheck.checkpointNumber !== CheckpointNumber.fromBlockNumber(newBlockNumber)) {
343
+ return undefined;
344
+ }
345
+
346
+ if (canProposeCheck.checkpointNumber !== checkpointNumber) {
381
347
  this.log.warn(
382
- `Cannot propose block due to block mismatch with rollup contract (this can be caused by a pending archiver sync). Expected block ${newBlockNumber} but got ${canProposeCheck.checkpointNumber}.`,
383
- { ...syncLogData, rollup: canProposeCheck, newBlockNumber, expectedSlot: slot },
348
+ `Cannot propose due to block mismatch with rollup contract (this can be caused by a pending archiver sync). Expected checkpoint ${checkpointNumber} but got ${canProposeCheck.checkpointNumber}.`,
349
+ { ...logCtx, rollup: canProposeCheck, expectedSlot: slot },
384
350
  );
385
- this.emit('proposer-rollup-check-failed', { reason: 'Block mismatch' });
351
+ this.emit('proposer-rollup-check-failed', { reason: 'Block mismatch', slot });
386
352
  this.metrics.recordBlockProposalPrecheckFailed('block_number_mismatch');
387
- return;
353
+ return undefined;
388
354
  }
389
355
 
390
- this.log.debug(`Can propose block ${newBlockNumber} at slot ${slot} as ${proposer}`, { ...syncLogData });
356
+ this.lastSlotForCheckpointProposalJob = slot;
357
+ this.log.info(`Preparing checkpoint proposal ${checkpointNumber} at slot ${slot}`, { ...logCtx, proposer });
391
358
 
392
- const newGlobalVariables = await this.globalsBuilder.buildGlobalVariables(
393
- newBlockNumber,
394
- coinbase,
395
- feeRecipient,
396
- slot,
397
- );
398
-
399
- // Enqueue governance and slashing votes (returns promises that will be awaited later)
400
- // In fisherman mode, we simulate slashing but don't actually publish to L1
401
- const votesPromises = this.enqueueGovernanceAndSlashingVotes(
402
- publisher,
403
- attestorAddress,
404
- slot,
405
- newGlobalVariables.timestamp,
406
- );
407
-
408
- // Enqueues block invalidation
409
- if (invalidateBlock && !this.config.skipInvalidateBlockAsProposer) {
410
- publisher.enqueueInvalidateBlock(invalidateBlock);
411
- }
412
-
413
- // Actual block building
414
- this.setState(SequencerState.INITIALIZING_PROPOSAL, slot);
415
- this.metrics.incOpenSlot(slot, proposer?.toString() ?? 'unknown');
416
- const block: L2Block | undefined = await this.tryBuildBlockAndEnqueuePublish(
359
+ // Create and return the checkpoint proposal job
360
+ return this.createCheckpointProposalJob(
417
361
  slot,
362
+ checkpointNumber,
363
+ syncedTo.blockNumber,
418
364
  proposer,
419
- newBlockNumber,
420
365
  publisher,
421
- newGlobalVariables,
422
- chainTipArchive,
366
+ attestorAddress,
423
367
  invalidateBlock,
424
368
  );
425
-
426
- // Wait until the voting promises have resolved, so all requests are enqueued
427
- await Promise.all(votesPromises);
428
-
429
- // In fisherman mode, we don't publish to L1
430
- if (this.config.fishermanMode) {
431
- // Clear pending requests
432
- publisher.clearPendingRequests();
433
-
434
- if (block) {
435
- this.log.info(`Validation block building SUCCEEDED for slot ${slot}`, {
436
- blockNumber: newBlockNumber,
437
- slot: Number(slot),
438
- archive: block.archive.toString(),
439
- txCount: block.body.txEffects.length,
440
- });
441
- this.lastBlockPublished = block;
442
- this.metrics.recordBlockProposalSuccess();
443
- } else {
444
- // Block building failed in fisherman mode
445
- this.log.warn(`Validation block building FAILED for slot ${slot}`, {
446
- blockNumber: newBlockNumber,
447
- slot: Number(slot),
448
- });
449
- this.metrics.recordBlockProposalFailed('block_build_failed');
450
- }
451
- } else {
452
- // Normal mode: send the tx to L1
453
- const l1Response = await publisher.sendRequests();
454
- const proposedBlock = l1Response?.successfulActions.find(a => a === 'propose');
455
- if (proposedBlock) {
456
- this.lastBlockPublished = block;
457
- this.emit('block-published', { blockNumber: newBlockNumber, slot: Number(slot) });
458
- await this.metrics.incFilledSlot(publisher.getSenderAddress().toString(), coinbase);
459
- } else if (block) {
460
- this.emit('block-publish-failed', l1Response ?? {});
461
- }
462
- }
463
-
464
- this.setState(SequencerState.IDLE, undefined);
465
369
  }
466
370
 
467
- /** Tries building a block proposal, and if successful, enqueues it for publishing. */
468
- private async tryBuildBlockAndEnqueuePublish(
371
+ protected createCheckpointProposalJob(
469
372
  slot: SlotNumber,
373
+ checkpointNumber: CheckpointNumber,
374
+ syncedToBlockNumber: BlockNumber,
470
375
  proposer: EthAddress | undefined,
471
- newBlockNumber: BlockNumber,
472
376
  publisher: SequencerPublisher,
473
- newGlobalVariables: GlobalVariables,
474
- chainTipArchive: Fr,
377
+ attestorAddress: EthAddress,
475
378
  invalidateBlock: InvalidateBlockRequest | undefined,
476
- ) {
477
- this.log.verbose(`Preparing proposal for block ${newBlockNumber} at slot ${slot}`, {
478
- proposer,
479
- publisher: publisher.getSenderAddress(),
480
- globalVariables: newGlobalVariables.toInspect(),
481
- chainTipArchive,
482
- blockNumber: newBlockNumber,
379
+ ): CheckpointProposalJob {
380
+ return new CheckpointProposalJob(
483
381
  slot,
484
- });
485
-
486
- const proposalHeader = CheckpointHeader.from({
487
- ...newGlobalVariables,
488
- timestamp: newGlobalVariables.timestamp,
489
- lastArchiveRoot: chainTipArchive,
490
- blockHeadersHash: Fr.ZERO,
491
- contentCommitment: ContentCommitment.empty(),
492
- totalManaUsed: Fr.ZERO,
493
- });
494
-
495
- let block: L2Block | undefined;
496
-
497
- const pendingTxCount = await this.p2pClient.getPendingTxCount();
498
- if (pendingTxCount >= this.minTxsPerBlock) {
499
- // We don't fetch exactly maxTxsPerBlock txs here because we may not need all of them if we hit a limit before,
500
- // and also we may need to fetch more if we don't have enough valid txs.
501
- const pendingTxs = this.p2pClient.iteratePendingTxs();
502
- try {
503
- block = await this.buildBlockAndEnqueuePublish(
504
- pendingTxs,
505
- proposalHeader,
506
- newGlobalVariables,
507
- proposer,
508
- invalidateBlock,
509
- publisher,
510
- );
511
- } catch (err: any) {
512
- this.emit('block-build-failed', { reason: err.message });
513
- if (err instanceof FormattedViemError) {
514
- this.log.verbose(`Unable to build/enqueue block ${err.message}`);
515
- } else {
516
- this.log.error(`Error building/enqueuing block`, err, { blockNumber: newBlockNumber, slot });
517
- }
518
- this.metrics.recordBlockProposalFailed(err.name || 'unknown_error');
519
- }
520
- } else {
521
- this.log.verbose(
522
- `Not enough txs to build block ${newBlockNumber} at slot ${slot} (got ${pendingTxCount} txs, need ${this.minTxsPerBlock})`,
523
- { chainTipArchive, blockNumber: newBlockNumber, slot },
524
- );
525
- this.emit('tx-count-check-failed', { minTxs: this.minTxsPerBlock, availableTxs: pendingTxCount });
526
- this.metrics.recordBlockProposalFailed('insufficient_txs');
527
- }
528
- return block;
529
- }
530
-
531
- @trackSpan('Sequencer.work')
532
- protected async safeWork() {
533
- try {
534
- await this.work();
535
- } catch (err) {
536
- if (err instanceof SequencerTooSlowError) {
537
- // Log as warn only if we had to abort halfway through the block proposal
538
- const logLvl = [SequencerState.INITIALIZING_PROPOSAL, SequencerState.PROPOSER_CHECK].includes(err.proposedState)
539
- ? ('debug' as const)
540
- : ('warn' as const);
541
- this.log[logLvl](err.message, { now: this.dateProvider.nowInSeconds() });
542
- } else {
543
- // Re-throw other errors
544
- throw err;
545
- }
546
- } finally {
547
- this.setState(SequencerState.IDLE, undefined);
548
- }
382
+ checkpointNumber,
383
+ syncedToBlockNumber,
384
+ proposer,
385
+ publisher,
386
+ attestorAddress,
387
+ invalidateBlock,
388
+ this.validatorClient,
389
+ this.globalsBuilder,
390
+ this.p2pClient,
391
+ this.worldState,
392
+ this.l1ToL2MessageSource,
393
+ this.checkpointsBuilder,
394
+ this.l1Constants,
395
+ this.config,
396
+ this.timetable,
397
+ this.slasherClient,
398
+ this.epochCache,
399
+ this.dateProvider,
400
+ this.metrics,
401
+ this,
402
+ this.setState.bind(this),
403
+ this.log,
404
+ );
549
405
  }
550
406
 
551
407
  /**
552
- * Sets the sequencer state and checks if we have enough time left in the slot to transition to the new state.
408
+ * Internal helper for setting the sequencer state and checks if we have enough time left in the slot to transition to the new state.
553
409
  * @param proposedState - The new state to transition to.
554
410
  * @param slotNumber - The current slot number.
555
411
  * @param force - Whether to force the transition even if the sequencer is stopped.
556
412
  */
557
- setState(proposedState: SequencerStateWithSlot, slotNumber: SlotNumber, opts?: { force?: boolean }): void;
558
- setState(
559
- proposedState: Exclude<SequencerState, SequencerStateWithSlot>,
560
- slotNumber?: undefined,
561
- opts?: { force?: boolean },
562
- ): void;
563
- setState(proposedState: SequencerState, slotNumber: SlotNumber | undefined, opts: { force?: boolean } = {}): void {
413
+ protected setState(
414
+ proposedState: SequencerState,
415
+ slotNumber: SlotNumber | undefined,
416
+ opts: { force?: boolean } = {},
417
+ ): void {
564
418
  if (this.state === SequencerState.STOPPING && proposedState !== SequencerState.STOPPED && !opts.force) {
565
419
  this.log.warn(`Cannot set sequencer to ${proposedState} as it is stopping.`);
566
420
  throw new SequencerInterruptedError();
@@ -586,351 +440,16 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
586
440
  oldState: this.state,
587
441
  newState: proposedState,
588
442
  secondsIntoSlot,
589
- slotNumber,
443
+ slot: slotNumber,
590
444
  });
591
445
  this.state = proposedState;
592
446
  }
593
447
 
594
- private async dropFailedTxsFromP2P(failedTxs: FailedTx[]) {
595
- if (failedTxs.length === 0) {
596
- return;
597
- }
598
- const failedTxData = failedTxs.map(fail => fail.tx);
599
- const failedTxHashes = failedTxData.map(tx => tx.getTxHash());
600
- this.log.verbose(`Dropping failed txs ${failedTxHashes.join(', ')}`);
601
- await this.p2pClient.deleteTxs(failedTxHashes);
602
- }
603
-
604
- protected getBlockBuilderOptions(slot: SlotNumber): PublicProcessorLimits {
605
- // Deadline for processing depends on whether we're proposing a block
606
- const secondsIntoSlot = this.getSecondsIntoSlot(slot);
607
- const processingEndTimeWithinSlot = this.timetable.getBlockProposalExecTimeEnd(secondsIntoSlot);
608
-
609
- // Deadline is only set if enforceTimeTable is enabled.
610
- const deadline = this.enforceTimeTable
611
- ? new Date((this.getSlotStartBuildTimestamp(slot) + processingEndTimeWithinSlot) * 1000)
612
- : undefined;
613
- return {
614
- maxTransactions: this.maxTxsPerBlock,
615
- maxBlockSize: this.maxBlockSizeInBytes,
616
- maxBlockGas: this.maxBlockGas,
617
- maxBlobFields: BLOBS_PER_CHECKPOINT * FIELDS_PER_BLOB,
618
- deadline,
619
- };
620
- }
621
-
622
- /**
623
- * @notice Build and propose a block to the chain
624
- *
625
- * @dev MUST throw instead of exiting early to ensure that world-state
626
- * is being rolled back if the block is dropped.
627
- *
628
- * @param pendingTxs - Iterable of pending transactions to construct the block from
629
- * @param proposalHeader - The partial header constructed for the proposal
630
- * @param newGlobalVariables - The global variables for the new block
631
- * @param proposerAddress - The address of the proposer
632
- */
633
- @trackSpan('Sequencer.buildBlockAndEnqueuePublish', (_validTxs, _proposalHeader, newGlobalVariables) => ({
634
- [Attributes.BLOCK_NUMBER]: newGlobalVariables.blockNumber,
635
- }))
636
- private async buildBlockAndEnqueuePublish(
637
- pendingTxs: Iterable<Tx> | AsyncIterable<Tx>,
638
- proposalHeader: CheckpointHeader,
639
- newGlobalVariables: GlobalVariables,
640
- proposerAddress: EthAddress | undefined,
641
- invalidateBlock: InvalidateBlockRequest | undefined,
642
- publisher: SequencerPublisher,
643
- ): Promise<L2Block> {
644
- await publisher.validateBlockHeader(proposalHeader, invalidateBlock);
645
-
646
- const blockNumber = newGlobalVariables.blockNumber;
647
- const slot = proposalHeader.slotNumber;
648
- const l1ToL2Messages = await this.l1ToL2MessageSource.getL1ToL2Messages(blockNumber);
649
-
650
- const workTimer = new Timer();
651
- this.setState(SequencerState.CREATING_BLOCK, slot);
652
-
653
- try {
654
- const blockBuilderOptions = this.getBlockBuilderOptions(slot);
655
- const buildBlockRes = await this.blockBuilder.buildBlock(
656
- pendingTxs,
657
- l1ToL2Messages,
658
- newGlobalVariables,
659
- blockBuilderOptions,
660
- );
661
- const { publicGas, block, publicProcessorDuration, numTxs, numMsgs, blockBuildingTimer, usedTxs, failedTxs } =
662
- buildBlockRes;
663
- const blockBuildDuration = workTimer.ms();
664
- await this.dropFailedTxsFromP2P(failedTxs);
665
-
666
- const minTxsPerBlock = this.minTxsPerBlock;
667
- if (numTxs < minTxsPerBlock) {
668
- this.log.warn(
669
- `Block ${blockNumber} has too few txs to be proposed (got ${numTxs} but required ${minTxsPerBlock})`,
670
- { slot, blockNumber, numTxs },
671
- );
672
- throw new Error(`Block has too few successful txs to be proposed`);
673
- }
674
-
675
- // TODO(@PhilWindle) We should probably periodically check for things like another
676
- // block being published before ours instead of just waiting on our block
677
- await publisher.validateBlockHeader(block.getCheckpointHeader(), invalidateBlock);
678
-
679
- const blockStats: L2BlockBuiltStats = {
680
- eventName: 'l2-block-built',
681
- creator: proposerAddress?.toString() ?? publisher.getSenderAddress().toString(),
682
- duration: workTimer.ms(),
683
- publicProcessDuration: publicProcessorDuration,
684
- rollupCircuitsDuration: blockBuildingTimer.ms(),
685
- ...block.getStats(),
686
- };
687
-
688
- const blockHash = await block.hash();
689
- const txHashes = block.body.txEffects.map(tx => tx.txHash);
690
- this.log.info(
691
- `Built block ${block.number} for slot ${slot} with ${numTxs} txs and ${numMsgs} messages. ${
692
- publicGas.l2Gas / workTimer.s()
693
- } mana/s`,
694
- {
695
- blockHash,
696
- globalVariables: block.header.globalVariables.toInspect(),
697
- txHashes,
698
- ...blockStats,
699
- },
700
- );
701
-
702
- // In fisherman mode, skip attestation collection
703
- let attestationsAndSigners: CommitteeAttestationsAndSigners;
704
- if (this.config.fishermanMode) {
705
- this.log.debug('Skipping attestation collection');
706
- attestationsAndSigners = CommitteeAttestationsAndSigners.empty();
707
- } else {
708
- this.log.debug('Collecting attestations');
709
- attestationsAndSigners = await this.collectAttestations(block, usedTxs, proposerAddress);
710
- this.log.verbose(
711
- `Collected ${attestationsAndSigners.attestations.length} attestations for block ${blockNumber} at slot ${slot}`,
712
- { blockHash, blockNumber, slot },
713
- );
714
- }
715
-
716
- // In fisherman mode, skip attestation signing
717
- const attestationsAndSignersSignature =
718
- this.config.fishermanMode || !this.validatorClient
719
- ? Signature.empty()
720
- : await this.validatorClient.signAttestationsAndSigners(
721
- attestationsAndSigners,
722
- proposerAddress ?? publisher.getSenderAddress(),
723
- );
724
-
725
- await this.enqueuePublishL2Block(
726
- block,
727
- attestationsAndSigners,
728
- attestationsAndSignersSignature,
729
- invalidateBlock,
730
- publisher,
731
- );
732
- this.metrics.recordBuiltBlock(blockBuildDuration, publicGas.l2Gas);
733
- return block;
734
- } catch (err) {
735
- this.metrics.recordFailedBlock();
736
- throw err;
737
- }
738
- }
739
-
740
- @trackSpan('Sequencer.collectAttestations', (block, txHashes) => ({
741
- [Attributes.BLOCK_NUMBER]: block.number,
742
- [Attributes.BLOCK_ARCHIVE]: block.archive.toString(),
743
- [Attributes.BLOCK_TXS_COUNT]: txHashes.length,
744
- }))
745
- protected async collectAttestations(
746
- block: L2Block,
747
- txs: Tx[],
748
- proposerAddress: EthAddress | undefined,
749
- ): Promise<CommitteeAttestationsAndSigners> {
750
- const { committee, seed, epoch } = await this.epochCache.getCommittee(block.slot);
751
-
752
- // We checked above that the committee is defined, so this should never happen.
753
- if (!committee) {
754
- throw new Error('No committee when collecting attestations');
755
- }
756
-
757
- if (committee.length === 0) {
758
- this.log.verbose(`Attesting committee is empty`);
759
- return CommitteeAttestationsAndSigners.empty();
760
- } else {
761
- this.log.debug(`Attesting committee length is ${committee.length}`);
762
- }
763
-
764
- if (!this.validatorClient) {
765
- throw new Error('Missing validator client: Cannot collect attestations');
766
- }
767
-
768
- const numberOfRequiredAttestations = Math.floor((committee.length * 2) / 3) + 1;
769
-
770
- const slotNumber = block.header.globalVariables.slotNumber;
771
- this.setState(SequencerState.COLLECTING_ATTESTATIONS, slotNumber);
772
-
773
- this.log.debug('Creating block proposal for validators');
774
- const blockProposalOptions: BlockProposalOptions = {
775
- publishFullTxs: !!this.config.publishTxsWithProposals,
776
- broadcastInvalidBlockProposal: this.config.broadcastInvalidBlockProposal,
777
- };
778
- const proposal = await this.validatorClient.createBlockProposal(
779
- block.header.globalVariables.blockNumber,
780
- block.getCheckpointHeader(),
781
- block.archive.root,
782
- txs,
783
- proposerAddress,
784
- blockProposalOptions,
785
- );
786
-
787
- if (!proposal) {
788
- throw new Error(`Failed to create block proposal`);
789
- }
790
-
791
- if (this.config.skipCollectingAttestations) {
792
- this.log.warn('Skipping attestation collection as per config (attesting with own keys only)');
793
- const attestations = await this.validatorClient?.collectOwnAttestations(proposal);
794
- return new CommitteeAttestationsAndSigners(orderAttestations(attestations ?? [], committee));
795
- }
796
-
797
- this.log.debug('Broadcasting block proposal to validators');
798
- await this.validatorClient.broadcastBlockProposal(proposal);
799
-
800
- const attestationTimeAllowed = this.enforceTimeTable
801
- ? this.timetable.getMaxAllowedTime(SequencerState.PUBLISHING_BLOCK)!
802
- : this.aztecSlotDuration;
803
-
804
- this.metrics.recordRequiredAttestations(numberOfRequiredAttestations, attestationTimeAllowed);
805
-
806
- const timer = new Timer();
807
- let collectedAttestationsCount: number = 0;
808
- try {
809
- const attestationDeadline = new Date(this.dateProvider.now() + attestationTimeAllowed * 1000);
810
- const attestations = await this.validatorClient.collectAttestations(
811
- proposal,
812
- numberOfRequiredAttestations,
813
- attestationDeadline,
814
- );
815
-
816
- collectedAttestationsCount = attestations.length;
817
-
818
- // note: the smart contract requires that the signatures are provided in the order of the committee
819
- const sorted = orderAttestations(attestations, committee);
820
-
821
- // manipulate the attestations if we've been configured to do so
822
- if (this.config.injectFakeAttestation || this.config.shuffleAttestationOrdering) {
823
- return this.manipulateAttestations(block, epoch, seed, committee, sorted);
824
- }
825
-
826
- return new CommitteeAttestationsAndSigners(sorted);
827
- } catch (err) {
828
- if (err && err instanceof AttestationTimeoutError) {
829
- collectedAttestationsCount = err.collectedCount;
830
- }
831
- throw err;
832
- } finally {
833
- this.metrics.recordCollectedAttestations(collectedAttestationsCount, timer.ms());
834
- }
835
- }
836
-
837
- /** Breaks the attestations before publishing based on attack configs */
838
- private manipulateAttestations(
839
- block: L2Block,
840
- epoch: EpochNumber,
841
- seed: bigint,
842
- committee: EthAddress[],
843
- attestations: CommitteeAttestation[],
844
- ) {
845
- // Compute the proposer index in the committee, since we dont want to tweak it.
846
- // Otherwise, the L1 rollup contract will reject the block outright.
847
- const proposerIndex = Number(
848
- this.epochCache.computeProposerIndex(block.slot, epoch, seed, BigInt(committee.length)),
849
- );
850
-
851
- if (this.config.injectFakeAttestation) {
852
- // Find non-empty attestations that are not from the proposer
853
- const nonProposerIndices: number[] = [];
854
- for (let i = 0; i < attestations.length; i++) {
855
- if (!attestations[i].signature.isEmpty() && i !== proposerIndex) {
856
- nonProposerIndices.push(i);
857
- }
858
- }
859
- if (nonProposerIndices.length > 0) {
860
- const targetIndex = nonProposerIndices[randomInt(nonProposerIndices.length)];
861
- this.log.warn(`Injecting fake attestation in block ${block.number} at index ${targetIndex}`);
862
- unfreeze(attestations[targetIndex]).signature = Signature.random();
863
- }
864
- return new CommitteeAttestationsAndSigners(attestations);
865
- }
866
-
867
- if (this.config.shuffleAttestationOrdering) {
868
- this.log.warn(`Shuffling attestation ordering in block ${block.number} (proposer index ${proposerIndex})`);
869
-
870
- const shuffled = [...attestations];
871
- const [i, j] = [(proposerIndex + 1) % shuffled.length, (proposerIndex + 2) % shuffled.length];
872
- const valueI = shuffled[i];
873
- const valueJ = shuffled[j];
874
- shuffled[i] = valueJ;
875
- shuffled[j] = valueI;
876
-
877
- const signers = new CommitteeAttestationsAndSigners(attestations).getSigners();
878
- return new MaliciousCommitteeAttestationsAndSigners(shuffled, signers);
879
- }
880
-
881
- return new CommitteeAttestationsAndSigners(attestations);
882
- }
883
-
884
- /**
885
- * Publishes the L2Block to the rollup contract.
886
- * @param block - The L2Block to be published.
887
- */
888
- @trackSpan('Sequencer.enqueuePublishL2Block', block => ({
889
- [Attributes.BLOCK_NUMBER]: block.number,
890
- }))
891
- protected async enqueuePublishL2Block(
892
- block: L2Block,
893
- attestationsAndSigners: CommitteeAttestationsAndSigners,
894
- attestationsAndSignersSignature: Signature,
895
- invalidateBlock: InvalidateBlockRequest | undefined,
896
- publisher: SequencerPublisher,
897
- ): Promise<void> {
898
- // Publishes new block to the network and awaits the tx to be mined
899
- this.setState(SequencerState.PUBLISHING_BLOCK, block.header.globalVariables.slotNumber);
900
-
901
- // Time out tx at the end of the slot
902
- const slot = block.header.globalVariables.slotNumber;
903
- const txTimeoutAt = new Date((this.getSlotStartBuildTimestamp(slot) + this.aztecSlotDuration) * 1000);
904
-
905
- const enqueued = await publisher.enqueueProposeL2Block(
906
- block,
907
- attestationsAndSigners,
908
- attestationsAndSignersSignature,
909
- {
910
- txTimeoutAt,
911
- forcePendingBlockNumber: invalidateBlock?.forcePendingBlockNumber,
912
- },
913
- );
914
-
915
- if (!enqueued) {
916
- throw new Error(`Failed to enqueue publish of block ${block.number}`);
917
- }
918
- }
919
-
920
448
  /**
921
449
  * Returns whether all dependencies have caught up.
922
450
  * We don't check against the previous block submitted since it may have been reorg'd out.
923
451
  */
924
- protected async checkSync(args: { ts: bigint; slot: SlotNumber }): Promise<
925
- | {
926
- block?: L2Block;
927
- blockNumber: BlockNumber;
928
- archive: Fr;
929
- l1Timestamp: bigint;
930
- pendingChainValidationStatus: ValidateBlockResult;
931
- }
932
- | undefined
933
- > {
452
+ protected async checkSync(args: { ts: bigint; slot: SlotNumber }): Promise<SequencerSyncCheckResult | undefined> {
934
453
  // Check that the archiver and dependencies have synced to the previous L1 slot at least
935
454
  // TODO(#14766): Archiver reports L1 timestamp based on L1 blocks seen, which means that a missed L1 block will
936
455
  // cause the archiver L1 timestamp to fall behind, and cause this sequencer to start processing one L1 slot later.
@@ -978,7 +497,7 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
978
497
  return { blockNumber: BlockNumber(INITIAL_L2_BLOCK_NUM - 1), archive, l1Timestamp, pendingChainValidationStatus };
979
498
  }
980
499
 
981
- const block = await this.l2BlockSource.getBlock(blockNumber);
500
+ const block = await this.l2BlockSource.getL2BlockNew(blockNumber);
982
501
  if (!block) {
983
502
  // this shouldn't really happen because a moment ago we checked that all components were in sync
984
503
  this.log.error(`Failed to get L2 block ${blockNumber} from the archiver with all components in sync`);
@@ -994,63 +513,6 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
994
513
  };
995
514
  }
996
515
 
997
- /**
998
- * Enqueues governance and slashing votes with the publisher. Does not block.
999
- * @param publisher - The publisher to enqueue votes with
1000
- * @param attestorAddress - The attestor address to use for signing
1001
- * @param slot - The slot number
1002
- * @param timestamp - The timestamp for the votes
1003
- * @param context - Optional context for logging (e.g., block number)
1004
- * @returns A tuple of [governanceEnqueued, slashingEnqueued]
1005
- */
1006
- protected enqueueGovernanceAndSlashingVotes(
1007
- publisher: SequencerPublisher,
1008
- attestorAddress: EthAddress,
1009
- slot: SlotNumber,
1010
- timestamp: bigint,
1011
- ): [Promise<boolean> | undefined, Promise<boolean> | undefined] {
1012
- try {
1013
- const signerFn = (msg: TypedDataDefinition) =>
1014
- this.validatorClient!.signWithAddress(attestorAddress, msg).then(s => s.toString());
1015
-
1016
- const enqueueGovernancePromise =
1017
- this.governanceProposerPayload && !this.governanceProposerPayload.isZero()
1018
- ? publisher
1019
- .enqueueGovernanceCastSignal(this.governanceProposerPayload, slot, timestamp, attestorAddress, signerFn)
1020
- .catch(err => {
1021
- this.log.error(`Error enqueuing governance vote`, err, { slot });
1022
- return false;
1023
- })
1024
- : undefined;
1025
-
1026
- const enqueueSlashingPromise = this.slasherClient
1027
- ? this.slasherClient
1028
- .getProposerActions(slot)
1029
- .then(actions => {
1030
- // Record metrics for fisherman mode
1031
- if (this.config.fishermanMode && actions.length > 0) {
1032
- this.log.debug(`Fisherman mode: simulating ${actions.length} slashing action(s) for slot ${slot}`, {
1033
- slot,
1034
- actionCount: actions.length,
1035
- });
1036
- this.metrics.recordSlashingAttempt(actions.length);
1037
- }
1038
- // Enqueue the actions to fully simulate L1 tx building (they won't be sent in fisherman mode)
1039
- return publisher.enqueueSlashingActions(actions, slot, timestamp, attestorAddress, signerFn);
1040
- })
1041
- .catch(err => {
1042
- this.log.error(`Error enqueuing slashing actions`, err, { slot });
1043
- return false;
1044
- })
1045
- : undefined;
1046
-
1047
- return [enqueueGovernancePromise, enqueueSlashingPromise];
1048
- } catch (err) {
1049
- this.log.error(`Error enqueueing governance and slashing votes`, err);
1050
- return [undefined, undefined];
1051
- }
1052
- }
1053
-
1054
516
  /**
1055
517
  * Checks if we are the proposer for the next slot.
1056
518
  * @returns True if we can propose, and the proposer address (undefined if anyone can propose)
@@ -1078,7 +540,7 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1078
540
  return [true, proposer];
1079
541
  }
1080
542
 
1081
- const validatorAddresses = this.validatorClient!.getValidatorAddresses();
543
+ const validatorAddresses = this.validatorClient.getValidatorAddresses();
1082
544
  const weAreProposer = validatorAddresses.some(addr => addr.equals(proposer));
1083
545
 
1084
546
  if (!weAreProposer) {
@@ -1094,29 +556,29 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1094
556
  * This allows the sequencer to participate in governance/slashing votes even when it cannot build blocks.
1095
557
  */
1096
558
  protected async tryVoteWhenSyncFails(args: { slot: SlotNumber; ts: bigint }): Promise<void> {
1097
- const { slot, ts } = args;
559
+ const { slot } = args;
1098
560
 
1099
561
  // Prevent duplicate attempts in the same slot
1100
562
  if (this.lastSlotForVoteWhenSyncFailed === slot) {
1101
- this.log.debug(`Already attempted to vote in slot ${slot} (skipping)`);
563
+ this.log.trace(`Already attempted to vote in slot ${slot} (skipping)`);
1102
564
  return;
1103
565
  }
1104
566
 
1105
567
  // Check if we're past the max time for initializing a proposal
1106
568
  const secondsIntoSlot = this.getSecondsIntoSlot(slot);
1107
- const maxAllowedTime = this.timetable.getMaxAllowedTime(SequencerState.INITIALIZING_PROPOSAL);
569
+ const maxAllowedTime = this.timetable.getMaxAllowedTime(SequencerState.INITIALIZING_CHECKPOINT);
1108
570
 
1109
571
  // If we haven't exceeded the time limit for initializing a proposal, don't proceed with voting
1110
572
  // We use INITIALIZING_PROPOSAL time limit because if we're past that, we can't build a block anyway
1111
573
  if (maxAllowedTime === undefined || secondsIntoSlot <= maxAllowedTime) {
1112
- this.log.trace(`Not attempting to vote since there is still for block building`, {
574
+ this.log.trace(`Not attempting to vote since there is still time for block building`, {
1113
575
  secondsIntoSlot,
1114
576
  maxAllowedTime,
1115
577
  });
1116
578
  return;
1117
579
  }
1118
580
 
1119
- this.log.debug(`Sync for slot ${slot} failed, checking for voting opportunities`, {
581
+ this.log.trace(`Sync for slot ${slot} failed, checking for voting opportunities`, {
1120
582
  secondsIntoSlot,
1121
583
  maxAllowedTime,
1122
584
  });
@@ -1124,7 +586,7 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1124
586
  // Check if we're a proposer or proposal is open
1125
587
  const [canPropose, proposer] = await this.checkCanPropose(slot);
1126
588
  if (!canPropose) {
1127
- this.log.debug(`Cannot vote in slot ${slot} since we are not a proposer`, { slot, proposer });
589
+ this.log.trace(`Cannot vote in slot ${slot} since we are not a proposer`, { slot, proposer });
1128
590
  return;
1129
591
  }
1130
592
 
@@ -1139,11 +601,22 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1139
601
  slot,
1140
602
  });
1141
603
 
1142
- // Enqueue governance and slashing votes using the shared helper method
1143
- const votesPromises = this.enqueueGovernanceAndSlashingVotes(publisher, attestorAddress, slot, ts);
1144
- await Promise.all(votesPromises);
604
+ // Enqueue governance and slashing votes
605
+ const voter = new CheckpointVoter(
606
+ slot,
607
+ publisher,
608
+ attestorAddress,
609
+ this.validatorClient,
610
+ this.slasherClient,
611
+ this.l1Constants,
612
+ this.config,
613
+ this.metrics,
614
+ this.log,
615
+ );
616
+ const votesPromises = voter.enqueueVotes();
617
+ const votes = await Promise.all(votesPromises);
1145
618
 
1146
- if (votesPromises.every(p => !p)) {
619
+ if (votes.every(p => !p)) {
1147
620
  this.log.debug(`No votes to enqueue for slot ${slot}`);
1148
621
  return;
1149
622
  }
@@ -1159,7 +632,7 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1159
632
  * and if they fail, any sequencer will try as well.
1160
633
  */
1161
634
  protected async considerInvalidatingBlock(
1162
- syncedTo: NonNullable<Awaited<ReturnType<Sequencer['checkSync']>>>,
635
+ syncedTo: SequencerSyncCheckResult,
1163
636
  currentSlot: SlotNumber,
1164
637
  ): Promise<void> {
1165
638
  const { pendingChainValidationStatus, l1Timestamp } = syncedTo;
@@ -1167,11 +640,10 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1167
640
  return;
1168
641
  }
1169
642
 
1170
- const { publisher } = await this.publisherFactory.create(undefined);
1171
643
  const invalidBlockNumber = pendingChainValidationStatus.block.blockNumber;
1172
644
  const invalidBlockTimestamp = pendingChainValidationStatus.block.timestamp;
1173
645
  const timeSinceChainInvalid = this.dateProvider.nowInSeconds() - Number(invalidBlockTimestamp);
1174
- const ourValidatorAddresses = this.validatorClient!.getValidatorAddresses();
646
+ const ourValidatorAddresses = this.validatorClient.getValidatorAddresses();
1175
647
 
1176
648
  const { secondsBeforeInvalidatingBlockAsCommitteeMember, secondsBeforeInvalidatingBlockAsNonCommitteeMember } =
1177
649
  this.config;
@@ -1207,6 +679,24 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1207
679
  return;
1208
680
  }
1209
681
 
682
+ let validatorToUse: EthAddress;
683
+ if (invalidateAsCommitteeMember) {
684
+ // When invalidating as a committee member, use first validator that's actually in the committee
685
+ const { committee } = await this.epochCache.getCommittee(currentSlot);
686
+ if (committee) {
687
+ const committeeSet = new Set(committee.map(addr => addr.toString()));
688
+ validatorToUse =
689
+ ourValidatorAddresses.find(addr => committeeSet.has(addr.toString())) ?? ourValidatorAddresses[0];
690
+ } else {
691
+ validatorToUse = ourValidatorAddresses[0];
692
+ }
693
+ } else {
694
+ // When invalidating as a non-committee member, use the first validator
695
+ validatorToUse = ourValidatorAddresses[0];
696
+ }
697
+
698
+ const { publisher } = await this.publisherFactory.create(validatorToUse);
699
+
1210
700
  const invalidateBlock = await publisher.simulateInvalidateBlock(pendingChainValidationStatus);
1211
701
  if (!invalidateBlock) {
1212
702
  this.log.warn(`Failed to simulate invalidate block`, logData);
@@ -1230,6 +720,35 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1230
720
  }
1231
721
  }
1232
722
 
723
+ private logStrategyComparison(epoch: EpochNumber, publisher: SequencerPublisher): void {
724
+ const feeAnalyzer = publisher.getL1FeeAnalyzer();
725
+ if (!feeAnalyzer) {
726
+ return;
727
+ }
728
+
729
+ const comparison = feeAnalyzer.getStrategyComparison();
730
+ if (comparison.length === 0) {
731
+ this.log.debug(`No strategy data available yet for epoch ${epoch}`);
732
+ return;
733
+ }
734
+
735
+ this.log.info(`L1 Fee Strategy Performance Report - End of Epoch ${epoch}`, {
736
+ epoch: Number(epoch),
737
+ totalAnalyses: comparison[0]?.totalAnalyses,
738
+ strategies: comparison.map(s => ({
739
+ id: s.strategyId,
740
+ name: s.strategyName,
741
+ inclusionRate: `${(s.inclusionRate * 100).toFixed(1)}%`,
742
+ inclusionCount: `${s.inclusionCount}/${s.totalAnalyses}`,
743
+ avgCostEth: s.avgEstimatedCostEth.toFixed(6),
744
+ totalCostEth: s.totalEstimatedCostEth.toFixed(6),
745
+ avgOverpaymentEth: s.avgOverpaymentEth.toFixed(6),
746
+ totalOverpaymentEth: s.totalOverpaymentEth.toFixed(6),
747
+ avgPriorityFeeDeltaGwei: s.avgPriorityFeeDeltaGwei.toFixed(2),
748
+ })),
749
+ });
750
+ }
751
+
1233
752
  private getSlotStartBuildTimestamp(slotNumber: SlotNumber): number {
1234
753
  return getSlotStartBuildTimestamp(slotNumber, this.l1Constants);
1235
754
  }
@@ -1239,15 +758,39 @@ export class Sequencer extends (EventEmitter as new () => TypedEventEmitter<Sequ
1239
758
  return Number((this.dateProvider.now() / 1000 - slotStartTimestamp).toFixed(3));
1240
759
  }
1241
760
 
1242
- get aztecSlotDuration() {
761
+ public get aztecSlotDuration() {
1243
762
  return this.l1Constants.slotDuration;
1244
763
  }
1245
764
 
1246
- get maxL2BlockGas(): number | undefined {
765
+ public get maxL2BlockGas(): number | undefined {
1247
766
  return this.config.maxL2BlockGas;
1248
767
  }
1249
768
 
1250
769
  public getSlasherClient(): SlasherClientInterface | undefined {
1251
770
  return this.slasherClient;
1252
771
  }
772
+
773
+ public get tracer(): Tracer {
774
+ return this.metrics.tracer;
775
+ }
776
+
777
+ public getValidatorAddresses() {
778
+ return this.validatorClient?.getValidatorAddresses();
779
+ }
780
+
781
+ public getConfig() {
782
+ return this.config;
783
+ }
784
+
785
+ private get l1PublishingTime(): number {
786
+ return this.config.l1PublishingTime ?? this.l1Constants.ethereumSlotDuration;
787
+ }
1253
788
  }
789
+
790
+ type SequencerSyncCheckResult = {
791
+ block?: L2BlockNew;
792
+ blockNumber: BlockNumber;
793
+ archive: Fr;
794
+ l1Timestamp: bigint;
795
+ pendingChainValidationStatus: ValidateBlockResult;
796
+ };