-
Notifications
You must be signed in to change notification settings - Fork 178
/
engine.go
1387 lines (1175 loc) · 46.6 KB
/
engine.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package ingestion
import (
"context"
"encoding/hex"
"errors"
"fmt"
"strings"
"time"
"github.com/rs/zerolog"
"github.com/rs/zerolog/log"
"github.com/onflow/flow-go/crypto"
"github.com/onflow/flow-go/crypto/hash"
"github.com/onflow/flow-go/engine"
"github.com/onflow/flow-go/engine/execution"
"github.com/onflow/flow-go/engine/execution/computation"
"github.com/onflow/flow-go/engine/execution/computation/computer/uploader"
"github.com/onflow/flow-go/engine/execution/provider"
"github.com/onflow/flow-go/engine/execution/state"
"github.com/onflow/flow-go/engine/execution/utils"
"github.com/onflow/flow-go/model/flow"
"github.com/onflow/flow-go/model/flow/filter"
"github.com/onflow/flow-go/module"
"github.com/onflow/flow-go/module/executiondatasync/pruner"
"github.com/onflow/flow-go/module/mempool"
"github.com/onflow/flow-go/module/mempool/entity"
"github.com/onflow/flow-go/module/mempool/queue"
"github.com/onflow/flow-go/module/mempool/stdmap"
"github.com/onflow/flow-go/module/trace"
"github.com/onflow/flow-go/network"
"github.com/onflow/flow-go/network/channels"
"github.com/onflow/flow-go/state/protocol"
psEvents "github.com/onflow/flow-go/state/protocol/events"
"github.com/onflow/flow-go/storage"
"github.com/onflow/flow-go/utils/logging"
)
// An Engine receives and saves incoming blocks.
type Engine struct {
psEvents.Noop // satisfy protocol events consumer interface
unit *engine.Unit
log zerolog.Logger
me module.Local
request module.Requester // used to request collections
state protocol.State
receiptHasher hash.Hasher // used as hasher to sign the execution receipt
blocks storage.Blocks
collections storage.Collections
events storage.Events
serviceEvents storage.ServiceEvents
transactionResults storage.TransactionResults
computationManager computation.ComputationManager
providerEngine provider.ProviderEngine
mempool *Mempool
execState state.ExecutionState
metrics module.ExecutionMetrics
maxCollectionHeight uint64
tracer module.Tracer
extensiveLogging bool
syncThreshold int // the threshold for how many sealed unexecuted blocks to trigger state syncing.
syncFilter flow.IdentityFilter // specify the filter to sync state from
syncConduit network.Conduit // sending state syncing requests
syncDeltas mempool.Deltas // storing the synced state deltas
syncFast bool // sync fast allows execution node to skip fetching collection during state syncing, and rely on state syncing to catch up
checkAuthorizedAtBlock func(blockID flow.Identifier) (bool, error)
executionDataPruner *pruner.Pruner
uploaders []uploader.Uploader
stopControl *StopControl
}
func New(
logger zerolog.Logger,
net network.Network,
me module.Local,
request module.Requester,
state protocol.State,
blocks storage.Blocks,
collections storage.Collections,
events storage.Events,
serviceEvents storage.ServiceEvents,
transactionResults storage.TransactionResults,
executionEngine computation.ComputationManager,
providerEngine provider.ProviderEngine,
execState state.ExecutionState,
metrics module.ExecutionMetrics,
tracer module.Tracer,
extLog bool,
syncFilter flow.IdentityFilter,
syncDeltas mempool.Deltas,
syncThreshold int,
syncFast bool,
checkAuthorizedAtBlock func(blockID flow.Identifier) (bool, error),
pruner *pruner.Pruner,
uploaders []uploader.Uploader,
stopControl *StopControl,
) (*Engine, error) {
log := logger.With().Str("engine", "ingestion").Logger()
mempool := newMempool()
eng := Engine{
unit: engine.NewUnit(),
log: log,
me: me,
request: request,
state: state,
receiptHasher: utils.NewExecutionReceiptHasher(),
blocks: blocks,
collections: collections,
events: events,
serviceEvents: serviceEvents,
transactionResults: transactionResults,
computationManager: executionEngine,
providerEngine: providerEngine,
mempool: mempool,
execState: execState,
metrics: metrics,
maxCollectionHeight: 0,
tracer: tracer,
extensiveLogging: extLog,
syncFilter: syncFilter,
syncThreshold: syncThreshold,
syncDeltas: syncDeltas,
syncFast: syncFast,
checkAuthorizedAtBlock: checkAuthorizedAtBlock,
executionDataPruner: pruner,
uploaders: uploaders,
stopControl: stopControl,
}
// move to state syncing engine
syncConduit, err := net.Register(channels.SyncExecution, &eng)
if err != nil {
return nil, fmt.Errorf("could not register execution blockSync engine: %w", err)
}
eng.syncConduit = syncConduit
return &eng, nil
}
// Ready returns a channel that will close when the engine has
// successfully started.
func (e *Engine) Ready() <-chan struct{} {
if !e.stopControl.IsPaused() {
if computation.GetUploaderEnabled() {
if err := e.retryUpload(); err != nil {
e.log.Warn().Msg("failed to re-upload all ComputationResults")
}
}
err := e.reloadUnexecutedBlocks()
if err != nil {
e.log.Fatal().Err(err).Msg("failed to load all unexecuted blocks")
}
}
return e.unit.Ready()
}
// Done returns a channel that will close when the engine has
// successfully stopped.
func (e *Engine) Done() <-chan struct{} {
return e.unit.Done()
}
// SubmitLocal submits an event originating on the local node.
func (e *Engine) SubmitLocal(event interface{}) {
e.unit.Launch(func() {
err := e.process(e.me.NodeID(), event)
if err != nil {
engine.LogError(e.log, err)
}
})
}
// Submit submits the given event from the node with the given origin ID
// for processing in a non-blocking manner. It returns instantly and logs
// a potential processing error internally when done.
func (e *Engine) Submit(channel channels.Channel, originID flow.Identifier, event interface{}) {
e.unit.Launch(func() {
err := e.process(originID, event)
if err != nil {
engine.LogError(e.log, err)
}
})
}
// ProcessLocal processes an event originating on the local node.
func (e *Engine) ProcessLocal(event interface{}) error {
return fmt.Errorf("ingestion error does not process local events")
}
func (e *Engine) Process(channel channels.Channel, originID flow.Identifier, event interface{}) error {
return e.unit.Do(func() error {
return e.process(originID, event)
})
}
func (e *Engine) process(originID flow.Identifier, event interface{}) error {
return nil
}
func (e *Engine) finalizedUnexecutedBlocks(finalized protocol.Snapshot) ([]flow.Identifier, error) {
// get finalized height
final, err := finalized.Head()
if err != nil {
return nil, fmt.Errorf("could not get finalized block: %w", err)
}
// find the first unexecuted and finalized block
// We iterate from the last finalized, check if it has been executed,
// if not, keep going to the lower height, until we find an executed
// block, and then the next height is the first unexecuted.
// If there is only one finalized, and it's executed (i.e. root block),
// then the firstUnexecuted is a unfinalized block, which is ok,
// because the next loop will ensure it only iterates through finalized
// blocks.
lastExecuted := final.Height
rootBlock, err := e.state.Params().Root()
if err != nil {
return nil, fmt.Errorf("failed to retrieve root block: %w", err)
}
for ; lastExecuted > rootBlock.Height; lastExecuted-- {
header, err := e.state.AtHeight(lastExecuted).Head()
if err != nil {
return nil, fmt.Errorf("could not get header at height: %v, %w", lastExecuted, err)
}
executed, err := state.IsBlockExecuted(e.unit.Ctx(), e.execState, header.ID())
if err != nil {
return nil, fmt.Errorf("could not check whether block is executed: %w", err)
}
if executed {
break
}
}
firstUnexecuted := lastExecuted + 1
e.log.Info().Msgf("last finalized and executed height: %v", lastExecuted)
unexecuted := make([]flow.Identifier, 0)
// starting from the first unexecuted block, go through each unexecuted and finalized block
// reload its block to execution queues
for height := firstUnexecuted; height <= final.Height; height++ {
header, err := e.state.AtHeight(height).Head()
if err != nil {
return nil, fmt.Errorf("could not get header at height: %v, %w", height, err)
}
unexecuted = append(unexecuted, header.ID())
}
return unexecuted, nil
}
func (e *Engine) pendingUnexecutedBlocks(finalized protocol.Snapshot) ([]flow.Identifier, error) {
pendings, err := finalized.Descendants()
if err != nil {
return nil, fmt.Errorf("could not get pending blocks: %w", err)
}
unexecuted := make([]flow.Identifier, 0)
for _, pending := range pendings {
executed, err := state.IsBlockExecuted(e.unit.Ctx(), e.execState, pending)
if err != nil {
return nil, fmt.Errorf("could not check block executed or not: %w", err)
}
if !executed {
unexecuted = append(unexecuted, pending)
}
}
return unexecuted, nil
}
func (e *Engine) unexecutedBlocks() (finalized []flow.Identifier, pending []flow.Identifier, err error) {
// pin the snapshot so that finalizedUnexecutedBlocks and pendingUnexecutedBlocks are based
// on the same snapshot.
snapshot := e.state.Final()
finalized, err = e.finalizedUnexecutedBlocks(snapshot)
if err != nil {
return nil, nil, fmt.Errorf("could not read finalized unexecuted blocks")
}
pending, err = e.pendingUnexecutedBlocks(snapshot)
if err != nil {
return nil, nil, fmt.Errorf("could not read pending unexecuted blocks")
}
return finalized, pending, nil
}
// on nodes startup, we need to load all the unexecuted blocks to the execution queues.
// blocks have to be loaded in the way that the parent has been loaded before loading its children
func (e *Engine) reloadUnexecutedBlocks() error {
// it's possible the BlockProcessable is called during the reloading, as the follower engine
// will receive blocks before ingestion engine is ready.
// The problem with that is, since the reloading hasn't finished yet, enqueuing the new block from
// the BlockProcessable callback will fail, because its parent block might have not been reloaded
// to the queues yet.
// So one solution here is to lock the execution queues during reloading, so that if BlockProcessable
// is called before reloading is finished, it will be blocked, which will avoid that edge case.
return e.mempool.Run(func(
blockByCollection *stdmap.BlockByCollectionBackdata,
executionQueues *stdmap.QueuesBackdata) error {
// saving an executed block is currently not transactional, so it's possible
// the block is marked as executed but the receipt might not be saved during a crash.
// in order to mitigate this problem, we always re-execute the last executed and finalized
// block.
// there is an exception, if the last executed block is a root block, then don't execute it,
// because the root has already been executed during bootstrapping phase. And re-executing
// a root block will fail, because the root block doesn't have a parent block, and could not
// get the result of it.
// TODO: remove this, when saving a executed block is transactional
lastExecutedHeight, lastExecutedID, err := e.execState.GetHighestExecutedBlockID(e.unit.Ctx())
if err != nil {
return fmt.Errorf("could not get last executed: %w", err)
}
last, err := e.state.AtBlockID(lastExecutedID).Head()
if err != nil {
return fmt.Errorf("could not get last executed final by ID: %w", err)
}
// don't reload root block
rootBlock, err := e.state.Params().Root()
if err != nil {
return fmt.Errorf("failed to retrieve root block: %w", err)
}
isRoot := rootBlock.ID() == last.ID()
if !isRoot {
executed, err := state.IsBlockExecuted(e.unit.Ctx(), e.execState, lastExecutedID)
if err != nil {
return fmt.Errorf("cannot check is last exeucted final block has been executed %v: %w", lastExecutedID, err)
}
if !executed {
// this should not happen, but if it does, execution should still work
e.log.Warn().
Hex("block_id", lastExecutedID[:]).
Msg("block marked as highest executed one, but not executable - internal inconsistency")
err = e.reloadBlock(blockByCollection, executionQueues, lastExecutedID)
if err != nil {
return fmt.Errorf("could not reload the last executed final block: %v, %w", lastExecutedID, err)
}
}
}
finalized, pending, err := e.unexecutedBlocks()
if err != nil {
return fmt.Errorf("could not reload unexecuted blocks: %w", err)
}
unexecuted := append(finalized, pending...)
log := e.log.With().
Int("total", len(unexecuted)).
Int("finalized", len(finalized)).
Int("pending", len(pending)).
Uint64("last_executed", lastExecutedHeight).
Hex("last_executed_id", lastExecutedID[:]).
Logger()
log.Info().Msg("reloading unexecuted blocks")
for _, blockID := range unexecuted {
err := e.reloadBlock(blockByCollection, executionQueues, blockID)
if err != nil {
return fmt.Errorf("could not reload block: %v, %w", blockID, err)
}
e.log.Debug().Hex("block_id", blockID[:]).Msg("reloaded block")
}
log.Info().Msg("all unexecuted have been successfully reloaded")
return nil
})
}
func (e *Engine) reloadBlock(
blockByCollection *stdmap.BlockByCollectionBackdata,
executionQueues *stdmap.QueuesBackdata,
blockID flow.Identifier) error {
block, err := e.blocks.ByID(blockID)
if err != nil {
return fmt.Errorf("could not get block by ID: %v %w", blockID, err)
}
// enqueue the block and check if there is any missing collections
missingCollections, err := e.enqueueBlockAndCheckExecutable(blockByCollection, executionQueues, block, false)
if err != nil {
return fmt.Errorf("could not enqueue block %x on reloading: %w", blockID, err)
}
// forward the missing collections to requester engine for requesting them from collection nodes,
// adding the missing collections to mempool in order to trigger the block execution as soon as
// all missing collections are received.
err = e.fetchAndHandleCollection(blockID, block.Header.Height, missingCollections, func(collection *flow.Collection) error {
err := e.addCollectionToMempool(collection, blockByCollection)
if err != nil {
return fmt.Errorf("could not add collection to mempool: %w", err)
}
return nil
})
if err != nil {
return fmt.Errorf("could not fetch or handle collection %w", err)
}
return nil
}
// BlockProcessable handles the new verified blocks (blocks that
// have passed consensus validation) received from the consensus nodes
// NOTE: BlockProcessable might be called multiple times for the same block.
// NOTE: Ready calls reloadUnexecutedBlocks during initialization, which handles dropped protocol events.
func (e *Engine) BlockProcessable(b *flow.Header) {
// skip if stopControl tells to skip
if !e.stopControl.blockProcessable(b) {
return
}
blockID := b.ID()
newBlock, err := e.blocks.ByID(blockID)
if err != nil {
e.log.Fatal().Err(err).Msgf("could not get incorporated block(%v): %v", blockID, err)
}
e.log.Info().Hex("block_id", blockID[:]).
Uint64("height", b.Height).
Msg("handling new block")
err = e.handleBlock(e.unit.Ctx(), newBlock)
if err != nil {
e.log.Error().Err(err).Hex("block_id", blockID[:]).Msg("failed to handle block")
}
}
// BlockFinalized implements part of state.protocol.Consumer interface.
// Method gets called for every finalized block
func (e *Engine) BlockFinalized(h *flow.Header) {
e.stopControl.blockFinalized(e.unit.Ctx(), e.execState, h)
}
// Main handling
// handle block will process the incoming block.
// the block has passed the consensus validation.
func (e *Engine) handleBlock(ctx context.Context, block *flow.Block) error {
blockID := block.ID()
log := e.log.With().Hex("block_id", blockID[:]).Logger()
span, _, _ := e.tracer.StartBlockSpan(ctx, blockID, trace.EXEHandleBlock)
defer span.End()
executed, err := state.IsBlockExecuted(e.unit.Ctx(), e.execState, blockID)
if err != nil {
return fmt.Errorf("could not check whether block is executed: %w", err)
}
if executed {
log.Debug().Msg("block has been executed already")
return nil
}
var missingCollections []*flow.CollectionGuarantee
// unexecuted block
// acquiring the lock so that there is only one process modifying the queue
err = e.mempool.Run(func(
blockByCollection *stdmap.BlockByCollectionBackdata,
executionQueues *stdmap.QueuesBackdata,
) error {
missing, err := e.enqueueBlockAndCheckExecutable(blockByCollection, executionQueues, block, false)
if err != nil {
return err
}
missingCollections = missing
return nil
})
if err != nil {
return fmt.Errorf("could not enqueue block %v: %w", blockID, err)
}
return e.addOrFetch(blockID, block.Header.Height, missingCollections)
}
func (e *Engine) enqueueBlockAndCheckExecutable(
blockByCollection *stdmap.BlockByCollectionBackdata,
executionQueues *stdmap.QueuesBackdata,
block *flow.Block,
checkStateSync bool) ([]*flow.CollectionGuarantee, error) {
executableBlock := &entity.ExecutableBlock{
Block: block,
CompleteCollections: make(map[flow.Identifier]*entity.CompleteCollection),
}
blockID := executableBlock.ID()
lg := e.log.With().
Hex("block_id", blockID[:]).
Uint64("block_height", executableBlock.Block.Header.Height).
Logger()
// adding the block to the queue,
queue, added, head := enqueue(executableBlock, executionQueues)
// if it's not added, it means the block is not a new block, it already
// exists in the queue, then bail
if !added {
log.Debug().Hex("block_id", logging.Entity(executableBlock)).
Int("block_height", int(executableBlock.Height())).
Msg("block already exists in the execution queue")
return nil, nil
}
firstUnexecutedHeight := queue.Head.Item.Height()
// disable state syncing for now
// if checkStateSync {
// // whenever the queue grows, we need to check whether the state sync should be
// // triggered.
// e.unit.Launch(func() {
// e.checkStateSyncStart(firstUnexecutedHeight)
// })
// }
// check if a block is executable.
// a block is executable if the following conditions are all true
// 1) the parent state commitment is ready
// 2) the collections for the block payload are ready
// 3) the child block is ready for querying the randomness
// check if the block's parent has been executed. (we can't execute the block if the parent has
// not been executed yet)
// check if there is a statecommitment for the parent block
parentCommitment, err := e.execState.StateCommitmentByBlockID(e.unit.Ctx(), block.Header.ParentID)
// if we found the statecommitment for the parent block, then add it to the executable block.
if err == nil {
executableBlock.StartState = &parentCommitment
} else if errors.Is(err, storage.ErrNotFound) {
// the parent block is an unexecuted block.
// if the queue only has one block, and its parent doesn't
// exist in the queue, then we need to load the block from the storage.
_, ok := queue.Nodes[blockID]
if !ok {
lg.Error().Msgf("an unexecuted parent block is missing in the queue")
}
} else {
// if there is exception, then crash
lg.Fatal().Err(err).Msg("unexpected error while accessing storage, shutting down")
}
// check if we have all the collections for the block, and request them if there is missing.
missingCollections, err := e.matchAndFindMissingCollections(executableBlock, blockByCollection)
if err != nil {
return nil, fmt.Errorf("cannot send collection requests: %w", err)
}
complete := false
// if newly enqueued block is inside any existing queue, we should skip now and wait
// for parent to finish execution
if head {
// execute the block if the block is ready to be executed
complete = e.executeBlockIfComplete(executableBlock)
}
lg.Info().
// if the execution is halt, but the queue keeps growing, we could check which block
// hasn't been executed.
Uint64("first_unexecuted_in_queue", firstUnexecutedHeight).
Bool("complete", complete).
Bool("head_of_queue", head).
Msg("block is enqueued")
return missingCollections, nil
}
// executeBlock will execute the block.
// When finish executing, it will check if the children becomes executable and execute them if yes.
func (e *Engine) executeBlock(ctx context.Context, executableBlock *entity.ExecutableBlock) {
e.log.Info().
Hex("block_id", logging.Entity(executableBlock)).
Uint64("height", executableBlock.Block.Header.Height).
Msg("executing block")
startedAt := time.Now()
e.stopControl.executingBlockHeight(executableBlock.Block.Header.Height)
span, ctx := e.tracer.StartSpanFromContext(ctx, trace.EXEExecuteBlock)
defer span.End()
view := e.execState.NewView(*executableBlock.StartState)
computationResult, err := e.computationManager.ComputeBlock(ctx, executableBlock, view)
if err != nil {
e.log.Err(err).
Hex("block_id", logging.Entity(executableBlock)).
Msg("error while computing block")
return
}
finalState, receipt, err := e.handleComputationResult(ctx, computationResult, *executableBlock.StartState)
if errors.Is(err, storage.ErrDataMismatch) {
e.log.Fatal().Err(err).Msg("fatal: trying to store different results for the same block")
}
if err != nil {
e.log.Err(err).
Hex("block_id", logging.Entity(executableBlock)).
Msg("error while handing computation results")
return
}
// if the receipt is for a sealed block, then no need to broadcast it.
lastSealed, err := e.state.Sealed().Head()
if err != nil {
e.log.Fatal().Err(err).Msg("could not get sealed block before broadcasting")
}
isExecutedBlockSealed := executableBlock.Block.Header.Height <= lastSealed.Height
broadcasted := false
if !isExecutedBlockSealed {
authorizedAtBlock, err := e.checkAuthorizedAtBlock(executableBlock.ID())
if err != nil {
e.log.Fatal().Err(err).Msg("could not check staking status")
}
if authorizedAtBlock {
err = e.providerEngine.BroadcastExecutionReceipt(ctx, receipt)
if err != nil {
e.log.Err(err).Msg("critical: failed to broadcast the receipt")
} else {
broadcasted = true
}
}
}
e.log.Info().
Hex("block_id", logging.Entity(executableBlock)).
Hex("parent_block", executableBlock.Block.Header.ParentID[:]).
Uint64("block_height", executableBlock.Block.Header.Height).
Int("collections", len(executableBlock.Block.Payload.Guarantees)).
Hex("start_state", executableBlock.StartState[:]).
Hex("final_state", finalState[:]).
Hex("receipt_id", logging.Entity(receipt)).
Hex("result_id", logging.Entity(receipt.ExecutionResult)).
Hex("execution_data_id", receipt.ExecutionResult.ExecutionDataID[:]).
Bool("sealed", isExecutedBlockSealed).
Bool("broadcasted", broadcasted).
Int64("timeSpentInMS", time.Since(startedAt).Milliseconds()).
Msg("block executed")
e.metrics.ExecutionBlockExecuted(
time.Since(startedAt),
computationResult.BlockStats())
for computationKind, intensity := range computationResult.ComputationIntensities {
e.metrics.ExecutionBlockExecutionEffortVectorComponent(computationKind.String(), intensity)
}
err = e.onBlockExecuted(executableBlock, finalState)
if err != nil {
e.log.Err(err).Msg("failed in process block's children")
}
if e.executionDataPruner != nil {
e.executionDataPruner.NotifyFulfilledHeight(executableBlock.Height())
}
e.unit.Ctx()
e.stopControl.blockExecuted(executableBlock.Block.Header)
}
// we've executed the block, now we need to check:
// 1. whether the state syncing can be turned off
// 2. whether its children can be executed
// the executionQueues stores blocks as a tree:
//
// 10 <- 11 <- 12
// ^-- 13
// 14 <- 15 <- 16
//
// if block 10 is the one just executed, then we will remove it from the queue, and add
// its children back, meaning the tree will become:
//
// 11 <- 12
// 13
// 14 <- 15 <- 16
func (e *Engine) onBlockExecuted(executed *entity.ExecutableBlock, finalState flow.StateCommitment) error {
e.metrics.ExecutionStorageStateCommitment(int64(len(finalState)))
e.metrics.ExecutionLastExecutedBlockHeight(executed.Block.Header.Height)
// e.checkStateSyncStop(executed.Block.Header.Height)
missingCollections := make(map[*entity.ExecutableBlock][]*flow.CollectionGuarantee)
err := e.mempool.Run(
func(
blockByCollection *stdmap.BlockByCollectionBackdata,
executionQueues *stdmap.QueuesBackdata,
) error {
// find the block that was just executed
executionQueue, exists := executionQueues.ByID(executed.ID())
if !exists {
// when the block no longer exists in the queue, it means there was a race condition that
// two onBlockExecuted was called for the same block, and one process has already removed the
// block from the queue, so we will print an error here
return fmt.Errorf("block has been executed already, no longer exists in the queue")
}
// dismount the executed block and all its children
_, newQueues := executionQueue.Dismount()
// go through each children, add them back to the queue, and check
// if the children is executable
for _, queue := range newQueues {
queueID := queue.ID()
added := executionQueues.Add(queueID, queue)
if !added {
// blocks should be unique in execution queues, if we dismount all the children blocks, then
// add it back to the queues, then it should always be able to add.
// If not, then there is a bug that the queues have duplicated blocks
return fmt.Errorf("fatal error - child block already in execution queue")
}
// the parent block has been executed, update the StartState of
// each child block.
child := queue.Head.Item.(*entity.ExecutableBlock)
child.StartState = &finalState
missing, err := e.matchAndFindMissingCollections(child, blockByCollection)
if err != nil {
return fmt.Errorf("cannot send collection requests: %w", err)
}
if len(missing) > 0 {
missingCollections[child] = append(missingCollections[child], missing...)
}
completed := e.executeBlockIfComplete(child)
if !completed {
e.log.Debug().
Hex("executed_block", logging.Entity(executed)).
Hex("child_block", logging.Entity(child)).
Msg("child block is not ready to be executed yet")
} else {
e.log.Debug().
Hex("executed_block", logging.Entity(executed)).
Hex("child_block", logging.Entity(child)).
Msg("child block is ready to be executed")
}
}
// remove the executed block
executionQueues.Remove(executed.ID())
return nil
})
if err != nil {
e.log.Err(err).
Hex("block", logging.Entity(executed)).
Msg("error while requeueing blocks after execution")
}
for child, missing := range missingCollections {
err := e.addOrFetch(child.ID(), child.Block.Header.Height, missing)
if err != nil {
return fmt.Errorf("fail to add missing collections: %w", err)
}
}
return nil
}
// executeBlockIfComplete checks whether the block is ready to be executed.
// if yes, execute the block
// return a bool indicates whether the block was completed
func (e *Engine) executeBlockIfComplete(eb *entity.ExecutableBlock) bool {
if eb.Executing {
return false
}
// if the eb has parent statecommitment, and we have the delta for this block
// then apply the delta
// note the block ID is the delta's ID
// delta, found := e.syncDeltas.ByBlockID(eb.Block.ID())
// if found {
// // double check before applying the state delta
// if bytes.Equal(eb.StartState, delta.ExecutableBlock.StartState) {
// e.unit.Launch(func() {
// e.applyStateDelta(delta)
// })
// return true
// }
//
// // if state delta is invalid, remove the delta and log error
// e.log.Error().
// Hex("block_start_state", eb.StartState).
// Hex("delta_start_state", delta.ExecutableBlock.StartState).
// Msg("can not apply the state delta, the start state does not match")
//
// e.syncDeltas.Remove(eb.Block.ID())
// }
// if don't have the delta, then check if everything is ready for executing
// the block
if eb.IsComplete() {
if e.extensiveLogging {
e.logExecutableBlock(eb)
}
// no external synchronisation is used because this method must be run in a thread-safe context
eb.Executing = true
e.unit.Launch(func() {
e.executeBlock(e.unit.Ctx(), eb)
})
return true
}
return false
}
// OnCollection is a callback for handling the collections requested by the
// collection requester.
func (e *Engine) OnCollection(originID flow.Identifier, entity flow.Entity) {
// convert entity to strongly typed collection
collection, ok := entity.(*flow.Collection)
if !ok {
e.log.Error().Msgf("invalid entity type (%T)", entity)
return
}
// no need to validate the origin ID, since the collection requester has
// checked the origin must be a collection node.
err := e.handleCollection(originID, collection)
if err != nil {
e.log.Error().Err(err).Msg("could not handle collection")
}
}
// a block can't be executed if its collection is missing.
// since a collection can belong to multiple blocks, we need to
// find all the blocks that are needing this collection, and then
// check if any of these block becomes executable and execute it if
// is.
func (e *Engine) handleCollection(originID flow.Identifier, collection *flow.Collection) error {
collID := collection.ID()
span, _, _ := e.tracer.StartCollectionSpan(context.Background(), collID, trace.EXEHandleCollection)
defer span.End()
lg := e.log.With().Hex("collection_id", collID[:]).Logger()
lg.Info().Hex("sender", originID[:]).Msg("handle collection")
defer func(startTime time.Time) {
lg.Info().TimeDiff("duration", time.Now(), startTime).Msg("collection handled")
}(time.Now())
// TODO: bail if have seen this collection before.
err := e.collections.Store(collection)
if err != nil {
return fmt.Errorf("cannot store collection: %w", err)
}
return e.mempool.BlockByCollection.Run(
func(backdata *stdmap.BlockByCollectionBackdata) error {
return e.addCollectionToMempool(collection, backdata)
},
)
}
func (e *Engine) addCollectionToMempool(collection *flow.Collection, backdata *stdmap.BlockByCollectionBackdata) error {
collID := collection.ID()
blockByCollectionID, exists := backdata.ByID(collID)
// if we don't find any block for this collection, then
// means we don't need this collection any more.
// or it was ejected from the mempool when it was full.
// either way, we will return
if !exists {
return nil
}
for _, executableBlock := range blockByCollectionID.ExecutableBlocks {
blockID := executableBlock.ID()
completeCollection, ok := executableBlock.CompleteCollections[collID]
if !ok {
return fmt.Errorf("cannot handle collection: internal inconsistency - collection pointing to block %v which does not contain said collection",
blockID)
}
// record collection max height metrics
blockHeight := executableBlock.Block.Header.Height
if blockHeight > e.maxCollectionHeight {
e.metrics.UpdateCollectionMaxHeight(blockHeight)
e.maxCollectionHeight = blockHeight
}
if completeCollection.IsCompleted() {
// already received transactions for this collection
continue
}
// update the transactions of the collection
// Note: it's guaranteed the transactions are for this collection, because
// the collection id matches with the CollectionID from the collection guarantee
completeCollection.Transactions = collection.Transactions
// check if the block becomes executable
_ = e.executeBlockIfComplete(executableBlock)
}
// since we've received this collection, remove it from the index
// this also prevents from executing the same block twice, because the second
// time when the collection arrives, it will not be found in the blockByCollectionID
// index.
backdata.Remove(collID)
return nil
}
func newQueue(blockify queue.Blockify, queues *stdmap.QueuesBackdata) (*queue.Queue, bool) {
q := queue.NewQueue(blockify)
qID := q.ID()
return q, queues.Add(qID, q)
}
// enqueue adds a block to the queues, return the queue that includes the block and booleans
// * is block new one (it's not already enqueued, not a duplicate)
// * is head of the queue (new queue has been created)
//
// Queues are chained blocks. Since a block can't be executable until its parent has been
// executed, the chained structure allows us to only check the head of each queue to see if
// any block becomes executable.
// for instance we have one queue whose head is A:
//
// A <- B <- C
// ^- D <- E
//
// If we receive E <- F, then we will add it to the queue:
//
// A <- B <- C
// ^- D <- E <- F
//
// Even through there are 6 blocks, we only need to check if block A becomes executable.
// when the parent block isn't in the queue, we add it as a new queue. for instance, if
// we receive H <- G, then the queues will become:
//
// A <- B <- C
// ^- D <- E
// G
func enqueue(blockify queue.Blockify, queues *stdmap.QueuesBackdata) (*queue.Queue, bool, bool) {
for _, queue := range queues.All() {
if stored, isNew := queue.TryAdd(blockify); stored {
return queue, isNew, false
}
}
queue, isNew := newQueue(blockify, queues)
return queue, isNew, true
}
// check if the block's collections have been received,
// if yes, add the collection to the executable block
// if no, fetch the collection.
// if a block has 3 collection, it would be 3 reqs to fetch them.
// mark the collection belongs to the block,
// mark the block contains this collection.
// It returns the missing collections to be fetched
// TODO: to rename
func (e *Engine) matchAndFindMissingCollections(
executableBlock *entity.ExecutableBlock,
collectionsBackdata *stdmap.BlockByCollectionBackdata,