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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
//! # Ethereum Light Client Verifier
//!
//! The verifier module verifies `Message` objects by verifying the existence
//! of their corresponding Ethereum log in a block in the Ethereum PoW network.
//! More specifically, the module checks a Merkle proof to confirm the existence
//! of a receipt, and the given log within the receipt, in a given block.
//!
//! This module relies on the relayer service which submits `import_header`
//! extrinsics, in order, as new blocks in the Ethereum network are authored.
//! It stores the most recent `FINALIZED_HEADERS_TO_KEEP` + `DescendantsUntilFinalized`
//! headers and prunes older headers. This means verification will only succeed
//! for messages from *finalized* blocks no older than `FINALIZED_HEADERS_TO_KEEP`.
//!
//! ## Usage
//!
//! This module implements the `Verifier` interface. Other modules should reference
//! this module using the `Verifier` type and perform verification using `Verifier::verify`.
//!
#![allow(unused_variables)]
#![cfg_attr(not(feature = "std"), no_std)]
// TODO #167: fix clippy warnings
#![allow(clippy::all)]

mod weights;

#[cfg(feature = "runtime-benchmarks")]
mod benchmarking;

#[cfg(test)]
mod mock;

#[cfg(test)]
mod tests;

use codec::{Decode, Encode};
use frame_support::dispatch::{DispatchError, DispatchResult};
use frame_support::log;
use frame_support::traits::Get;
use sp_runtime::traits::{IdentifyAccount, Verify};
use sp_runtime::RuntimeDebug;
use sp_std::prelude::*;

pub use bridge_types::difficulty::ForkConfig as EthereumDifficultyConfig;
use bridge_types::ethashproof::{
    DoubleNodeWithMerkleProof as EthashProofData, EthashProver, MixNonce,
};
use bridge_types::evm::Proof;
use bridge_types::traits::{EthereumGasPriceOracle, Verifier};
pub use bridge_types::Header as EthereumHeader;
use bridge_types::{EVMChainId, HeaderId as EthereumHeaderId, Receipt, H256, U256};

pub use weights::WeightInfo;

/// Max number of finalized headers to keep.
const FINALIZED_HEADERS_TO_KEEP: u64 = 50_000;
/// Max number of headers we're pruning in single import call.
const HEADERS_TO_PRUNE_IN_SINGLE_IMPORT: u64 = 8;
/// Length of difficulties vector to store
const CHECK_DIFFICULTY_DIFFERENCE_NUMBER: u64 = 10;
/// Calculate the maximum difference between current header difficulty and maximum among stored in vector
pub(crate) const DIFFICULTY_DIFFERENCE: f64 =
    1.0 + 0.125 * (CHECK_DIFFICULTY_DIFFERENCE_NUMBER as f64);
const DIVISION_COEFFICIENT: u64 = 1000;
const DIFFICULTY_DIFFERENCE_MULT: U256 = U256([
    ((DIFFICULTY_DIFFERENCE * (DIVISION_COEFFICIENT as f64)) as u64) / DIVISION_COEFFICIENT,
    0,
    0,
    0,
]);

/// Ethereum block header as it is stored in the runtime storage.
#[derive(Clone, Encode, Decode, PartialEq, RuntimeDebug, scale_info::TypeInfo)]
pub struct StoredHeader<Submitter> {
    /// Submitter of this header. This will be None for the initial header
    /// or the account ID of the relay.
    pub submitter: Option<Submitter>,
    /// The block header itself.
    pub header: EthereumHeader,
    /// Total difficulty of the chain.
    pub total_difficulty: U256,
    /// Indicates if the header is part of the canonical chain, i.e. has
    /// at least DescendantsUntilFinalized descendants.
    pub finalized: bool,
}

/// Blocks range that we want to prune.
#[derive(Clone, Encode, Decode, Default, PartialEq, RuntimeDebug, scale_info::TypeInfo)]
struct PruningRange {
    /// Number of the oldest unpruned block(s). This might be the block that we do not
    /// want to prune now (then it is equal to `oldest_block_to_keep`).
    pub oldest_unpruned_block: u64,
    /// Number of oldest block(s) that we want to keep. We want to prune blocks in range
    /// [`oldest_unpruned_block`; `oldest_block_to_keep`).
    pub oldest_block_to_keep: u64,
}

pub type Submitter<T> =
    <<<T as Config>::ImportSignature as Verify>::Signer as IdentifyAccount>::AccountId;

pub use pallet::*;

#[frame_support::pallet]
pub mod pallet {

    use super::*;

    use bridge_types::network_config::{Consensus, NetworkConfig as EthNetworkConfig};
    use bridge_types::GenericNetworkId;
    use frame_support::pallet_prelude::*;
    use frame_support::traits::StorageVersion;
    use frame_system::pallet_prelude::*;
    use sp_runtime::traits::{IdentifyAccount, Verify};

    /// The current storage version.
    const STORAGE_VERSION: StorageVersion = StorageVersion::new(1);

    #[pallet::pallet]
    #[pallet::generate_store(pub(super) trait Store)]
    #[pallet::storage_version(STORAGE_VERSION)]
    #[pallet::without_storage_info]
    pub struct Pallet<T>(_);

    #[pallet::config]
    pub trait Config: frame_system::Config {
        type RuntimeEvent: From<Event<Self>> + IsType<<Self as frame_system::Config>::RuntimeEvent>;
        /// The number of descendants, in the highest difficulty chain, a block
        /// needs to have in order to be considered final.
        #[pallet::constant]
        type DescendantsUntilFinalized: Get<u8>;
        /// Determines whether Ethash PoW is verified for headers
        /// NOTE: Should only be false for dev
        #[pallet::constant]
        type VerifyPoW: Get<bool>;
        /// Weight information for extrinsics in this pallet
        type WeightInfo: WeightInfo;

        /// A configuration for base priority of unsigned transactions.
        #[pallet::constant]
        type UnsignedPriority: Get<TransactionPriority>;

        /// A configuration for longevity of unsigned transactions.
        #[pallet::constant]
        type UnsignedLongevity: Get<u64>;

        type ImportSignature: Verify<Signer = Self::Submitter> + Decode + Member + Encode + TypeInfo;
        type Submitter: IdentifyAccount<AccountId = Self::AccountId>
            + Decode
            + Member
            + Encode
            + TypeInfo
            + Clone;
    }

    #[pallet::event]
    #[pallet::generate_deposit(pub(super) fn deposit_event)]
    pub enum Event<T> {
        Finalized(EVMChainId, EthereumHeaderId),
    }

    #[derive(PartialEq, Clone)]
    #[pallet::error]
    pub enum Error<T> {
        /// Header is same height or older than finalized block (we don't support forks).
        AncientHeader,
        /// Header referenced in inclusion proof doesn't exist, e.g. because it's
        /// pruned or older than genesis.
        MissingHeader,
        /// Header's parent has not been imported.
        MissingParentHeader,
        /// Header has already been imported.
        DuplicateHeader,
        /// Header referenced in inclusion proof is not final yet.
        HeaderNotFinalized,
        /// Header is on a stale fork, i.e. it's not a descendant of the latest finalized block
        HeaderOnStaleFork,
        /// One or more header fields are invalid.
        InvalidHeader,
        /// Proof could not be applied / verified.
        InvalidProof,
        /// Log could not be decoded
        DecodeFailed,
        /// Unknown network id passed
        NetworkNotFound,
        /// Network with given id already registered
        NetworkAlreadyExists,
        /// Difficulty is too low comparing to last blocks difficulty
        DifficultyTooLow,
        /// Network state is not suitable to proceed transacton
        NetworkStateInvalid,
        /// This should never be returned - indicates a bug
        Unknown,
        /// Unsupported consensus engine
        ConsensusNotSupported,
        /// Signature provided inside unsigned extrinsic is not correct
        InvalidSignature,
        /// Header not found for block number
        HeaderNotFound,
    }

    #[pallet::hooks]
    impl<T: Config> Hooks<BlockNumberFor<T>> for Pallet<T> {}

    /// Best known block.
    #[pallet::storage]
    pub(super) type BestBlock<T: Config> =
        StorageMap<_, Identity, EVMChainId, (EthereumHeaderId, U256), OptionQuery>;

    /// Range of blocks that we want to prune.
    #[pallet::storage]
    pub(super) type BlocksToPrune<T: Config> =
        StorageMap<_, Identity, EVMChainId, PruningRange, OptionQuery>;

    /// Best finalized block.
    #[pallet::storage]
    pub(super) type FinalizedBlock<T: Config> =
        StorageMap<_, Identity, EVMChainId, EthereumHeaderId, OptionQuery>;

    /// Network config
    #[pallet::storage]
    pub(super) type NetworkConfig<T: Config> =
        StorageMap<_, Identity, EVMChainId, EthNetworkConfig, OptionQuery>;

    /// Map of imported headers by hash.
    #[pallet::storage]
    pub(super) type Headers<T: Config> = StorageDoubleMap<
        _,
        Identity,
        EVMChainId,
        Identity,
        H256,
        StoredHeader<T::AccountId>,
        OptionQuery,
    >;

    /// Map of imported header hashes by number.
    #[pallet::storage]
    pub(super) type HeadersByNumber<T: Config> =
        StorageDoubleMap<_, Identity, EVMChainId, Twox64Concat, u64, Vec<H256>, OptionQuery>;

    #[pallet::genesis_config]
    pub struct GenesisConfig {
        pub initial_networks: Vec<(EthNetworkConfig, EthereumHeader, U256)>,
    }

    #[cfg(feature = "std")]
    impl Default for GenesisConfig {
        fn default() -> Self {
            Self {
                initial_networks: Default::default(),
            }
        }
    }

    #[pallet::genesis_build]
    impl<T: Config> GenesisBuild<T> for GenesisConfig {
        fn build(&self) {
            for (network_config, header, difficulty) in &self.initial_networks {
                NetworkConfig::<T>::insert(network_config.chain_id(), network_config);
                Pallet::<T>::initialize_storage_inner(
                    network_config.chain_id(),
                    vec![header.clone()],
                    difficulty.clone(),
                    0, // descendants_until_final = 0 forces the initial header to be finalized
                )
                .unwrap();

                <BlocksToPrune<T>>::insert(
                    network_config.chain_id(),
                    PruningRange {
                        oldest_unpruned_block: header.number,
                        oldest_block_to_keep: header.number,
                    },
                );
            }
        }
    }

    #[pallet::call]
    impl<T: Config> Pallet<T> {
        #[pallet::call_index(0)]
        #[pallet::weight(T::WeightInfo::register_network())]
        pub fn register_network(
            origin: OriginFor<T>,
            network_config: EthNetworkConfig,
            header: EthereumHeader,
            initial_difficulty: U256,
        ) -> DispatchResult {
            ensure_root(origin)?;
            let network_id = network_config.chain_id();
            ensure!(
                <NetworkConfig<T>>::contains_key(network_id) == false,
                Error::<T>::NetworkAlreadyExists
            );
            ensure!(
                matches!(
                    network_config.consensus(),
                    Consensus::Ethash { .. } | Consensus::Etchash { .. }
                ),
                Error::<T>::ConsensusNotSupported
            );
            NetworkConfig::<T>::insert(network_id, network_config);
            Pallet::<T>::initialize_storage_inner(
                network_id,
                vec![header.clone()],
                initial_difficulty,
                0,
            )
            // should never fail with single header
            .map_err(|_| Error::<T>::Unknown)?;

            <BlocksToPrune<T>>::insert(
                network_id,
                PruningRange {
                    oldest_unpruned_block: header.number,
                    oldest_block_to_keep: header.number,
                },
            );
            Ok(())
        }

        #[pallet::call_index(1)]
        #[pallet::weight(T::WeightInfo::update_difficulty_config())]
        pub fn update_difficulty_config(
            origin: OriginFor<T>,
            network_config: EthNetworkConfig,
        ) -> DispatchResult {
            ensure_root(origin)?;
            ensure!(
                NetworkConfig::<T>::contains_key(network_config.chain_id()),
                Error::<T>::NetworkNotFound
            );
            NetworkConfig::<T>::insert(network_config.chain_id(), network_config);
            Ok(())
        }

        /// Import a single Ethereum PoW header.
        ///
        /// Note that this extrinsic has a very high weight. The weight is affected by the
        /// value of `DescendantsUntilFinalized`. Regenerate weights if it changes.
        ///
        /// The largest contributors to the worst case weight, in decreasing order, are:
        /// - Pruning: max 2 writes per pruned header + 2 writes to finalize pruning state.
        ///   Up to `HEADERS_TO_PRUNE_IN_SINGLE_IMPORT` can be pruned in one call.
        /// - Ethash validation: this cost is pure CPU. EthashProver checks a merkle proof
        ///   for each DAG node selected in the "hashimoto"-loop.
        /// - Iterating over ancestors: min `DescendantsUntilFinalized` reads to find the
        ///   newly finalized ancestor of a header.
        #[pallet::call_index(2)]
        #[pallet::weight(T::WeightInfo::import_header())]
        pub fn import_header(
            origin: OriginFor<T>,
            network_id: EVMChainId,
            header: EthereumHeader,
            proof: Vec<EthashProofData>,
            mix_nonce: MixNonce,
            submitter: <T as frame_system::Config>::AccountId,
            // Signature was already verified in `validate_unsigned()`
            _signature: <T as Config>::ImportSignature,
        ) -> DispatchResult {
            ensure_none(origin)?;

            log::trace!(
                target: "ethereum-light-client",
                "Received header {}. Starting import validation",
                header.number,
            );

            if let Err(err) = Self::validate_header(network_id, &header, &proof, &mix_nonce, true) {
                log::trace!(
                    target: "ethereum-light-client",
                    "Validation for header {} returned error. Skipping import",
                    header.number,
                );
                return Err(err.into());
            }

            log::trace!(
                target: "ethereum-light-client",
                "Validation succeeded. Starting import of header {}",
                header.number,
            );

            if let Err(err) = Self::import_validated_header(network_id, &submitter, &header) {
                log::trace!(
                    target: "ethereum-light-client",
                    "Import of header {} failed",
                    header.number,
                );
                return Err(err);
            }

            log::debug!(
                target: "ethereum-light-client",
                "Imported header {}!",
                header.number,
            );

            Ok(())
        }
    }

    impl<T: Config> Into<u8> for Error<T> {
        fn into(self) -> u8 {
            match self {
                Error::<T>::AncientHeader => 1,
                Error::<T>::MissingHeader => 2,
                Error::<T>::MissingParentHeader => 3,
                Error::<T>::DuplicateHeader => 4,
                Error::<T>::HeaderNotFinalized => 5,
                Error::<T>::HeaderOnStaleFork => 6,
                Error::<T>::InvalidHeader => 7,
                Error::<T>::InvalidProof => 8,
                Error::<T>::DecodeFailed => 9,
                Error::<T>::NetworkNotFound => 10,
                Error::<T>::NetworkAlreadyExists => 11,
                Error::<T>::Unknown => 12,
                Error::<T>::ConsensusNotSupported => 13,
                Error::<T>::InvalidSignature => 14,
                Error::<T>::DifficultyTooLow => 15,
                Error::<T>::NetworkStateInvalid => 16,
                Error::<T>::HeaderNotFound => 17,

                // Everything points to unreachable-ness (e.g. substrate macro definitions)
                // https://github.com/paritytech/substrate/blob/158cdfd1a43a122f8cfbf70473fcd54a3b418f3d/frame/support/procedural/src/pallet/expand/call.rs#L235
                Error::<T>::__Ignore(_, _) => unreachable!(),
            }
        }
    }

    #[pallet::validate_unsigned]
    impl<T: Config> ValidateUnsigned for Pallet<T> {
        type Call = Call<T>;
        // mb add prefetch with validate_ancestors=true to not include unneccessary stuff
        fn validate_unsigned(source: TransactionSource, call: &Self::Call) -> TransactionValidity {
            if let Call::import_header {
                network_id,
                header,
                proof,
                mix_nonce,
                submitter,
                signature,
            } = call
            {
                // We try to do as much verification from import_header as possible
                log::trace!(
                    target: "ethereum-light-client",
                    "Received header {}. Starting unsigned validation",
                    header.number,
                );
                if !signature.verify(
                    &bridge_types::import_digest(network_id, header)[..],
                    &submitter,
                ) {
                    return InvalidTransaction::Custom(Error::<T>::InvalidSignature.into()).into();
                }

                // Duplicate requests are filtered by substrate itself, but changing submitter +
                // signature pair bypasses this basic filtering. This leads to recalculation of one
                // PoW proof multiple times (until header with such number gets accepted).
                //
                // Since it doesn't affect the whole network and the solution is unclear (offchain
                // storage is inaccessible here) we decided to leave it.

                // We can't check parent, since it is most likely not imported (in storage) yet
                if let Err(err) =
                    Self::validate_header(*network_id, header, proof, mix_nonce, false)
                {
                    log::warn!(
                        target: "ethereum-light-client",
                        "Validation for header {} returned error {:?}. Dropping extrinsic",
                        header.number, err,
                    );
                    return InvalidTransaction::Custom(err.into()).into();
                }

                log::trace!(
                    target: "ethereum-light-client",
                    "Validation of header {} succeeded",
                    header.number,
                );

                let mut validity = ValidTransaction::with_tag_prefix("ImportHeaderETH")
                    .priority(T::UnsignedPriority::get())
                    .longevity(T::UnsignedLongevity::get())
                    .and_provides((network_id, header.compute_hash()))
                    .propagate(true);
                if !Headers::<T>::contains_key(network_id, header.parent_hash) {
                    validity = validity.and_requires((network_id, header.parent_hash));
                }
                validity.build()
            } else {
                log::warn!(
                    target: "ethereum-light-client",
                    "Unknown unsigned call, can't validate",
                );
                InvalidTransaction::Call.into()
            }
        }
    }

    impl<T: Config> Pallet<T> {
        // Validate an Ethereum header for import
        //
        // Must be called at least once with `validate_ancestors` flag,
        // for example in extrinsic dispatch
        fn validate_header(
            network_id: EVMChainId,
            header: &EthereumHeader,
            proof: &[EthashProofData],
            mix_nonce: &MixNonce,
            validate_ancestors: bool,
        ) -> Result<(), Error<T>> {
            let hash = header.compute_hash();
            ensure!(
                !<Headers<T>>::contains_key(network_id, hash),
                Error::<T>::DuplicateHeader,
            );

            let finalized_header_id =
                <FinalizedBlock<T>>::get(network_id).ok_or(Error::<T>::NetworkNotFound)?;

            let parent = <Headers<T>>::get(network_id, header.parent_hash).map(|x| x.header);
            // We require parent to be present if we validate ancestors
            if validate_ancestors {
                if let None = parent {
                    return Err(Error::<T>::MissingParentHeader);
                }
            }

            ensure!(
                header.number > finalized_header_id.number,
                Error::<T>::AncientHeader,
            );

            if validate_ancestors {
                // This iterates over DescendantsUntilFinalized headers in both the worst and
                // average case. Since we know that the parent header was imported successfully,
                // we know that the newest finalized header is at most, and on average,
                // DescendantsUntilFinalized headers before the parent.
                let ancestor_at_finalized_number =
                    ancestry::<T>(network_id.clone(), header.parent_hash)
                        .find(|(_, ancestor)| ancestor.number == finalized_header_id.number);
                // We must find a matching ancestor above since AncientHeader check ensures
                // that iteration starts at or after the latest finalized block.
                ensure!(ancestor_at_finalized_number.is_some(), Error::<T>::Unknown,);
                ensure!(
                    ancestor_at_finalized_number.unwrap().0 == finalized_header_id.hash,
                    Error::<T>::HeaderOnStaleFork,
                );
            }

            if !T::VerifyPoW::get() {
                return Ok(());
            }

            if let Some(parent) = &parent {
                // See YellowPaper formula (50) in section 4.3.4
                ensure!(
                    header.gas_used <= header.gas_limit
                        && header.gas_limit < parent.gas_limit * 1025 / 1024
                        && header.gas_limit > parent.gas_limit * 1023 / 1024
                        && header.gas_limit >= 5000u64.into()
                        && header.timestamp > parent.timestamp
                        && header.number == parent.number + 1
                        && header.extra_data.len() <= 32,
                    Error::<T>::InvalidHeader,
                );
            } else {
                // Maximum that we can verify without having parent
                ensure!(
                    header.gas_used <= header.gas_limit
                        && header.gas_limit >= 5000u64.into()
                        && header.extra_data.len() <= 32,
                    Error::<T>::InvalidHeader,
                );
            }

            log::trace!(
                target: "ethereum-light-client",
                "Header {} passed basic verification",
                header.number
            );

            let consensus = NetworkConfig::<T>::get(network_id)
                .ok_or(Error::<T>::NetworkNotFound)?
                .consensus();
            if let Some(parent) = &parent {
                let header_difficulty = match consensus {
                    Consensus::Ethash { fork_config } => {
                        fork_config.calc_difficulty(header.timestamp, &parent)
                    }
                    Consensus::Etchash { fork_config } => {
                        fork_config.calc_difficulty(header.timestamp, &parent)
                    }
                    _ => return Err(Error::<T>::ConsensusNotSupported.into()),
                }
                .map_err(|err| {
                    log::debug!(
                        target: "ethereum-light-client",
                        "Header {} failed difficulty calculation: {}",
                        header.number, err
                    );
                    Error::<T>::InvalidHeader
                })?;
                ensure!(
                    header.difficulty == header_difficulty,
                    Error::<T>::InvalidHeader,
                );
            }

            Self::validate_header_difficulty(network_id, &header)?;

            log::trace!(
                target: "ethereum-light-client",
                "Header {} passed difficulty verification",
                header.number
            );

            let header_mix_hash = header.mix_hash().ok_or(Error::<T>::InvalidHeader)?;
            let header_nonce = header.nonce().ok_or(Error::<T>::InvalidHeader)?;

            log::trace!(target: "ethereum-light-client", "Prevalidating PoW with mix nonce");
            ensure!(
                H256::from(mix_nonce.as_bytes()) == header_mix_hash,
                Error::<T>::InvalidHeader,
            );
            let prover = EthashProver::new(consensus.calc_epoch_length(header.number));
            let result = prover.hashimoto_pre_validate(
                header.compute_partial_hash(),
                header_nonce,
                mix_nonce,
            );
            ensure!(
                U256::from(result.0) < ethash::cross_boundary(header.difficulty),
                Error::<T>::InvalidHeader,
            );

            log::trace!(target: "ethereum-light-client", "Calculating hashimoto_merkle");
            let (mix, result) = EthashProver::new(consensus.calc_epoch_length(header.number))
                .hashimoto_merkle(
                    header.compute_partial_hash(),
                    header_nonce,
                    header.number,
                    proof,
                )
                .map_err(|err| {
                    log::debug!(
                        target: "ethereum-light-client",
                        "Header {} failed PoW calculation: {:?}",
                        header.number, err
                    );
                    Error::<T>::InvalidHeader
                })?;

            log::trace!(
                target: "ethereum-light-client",
                "Header {} passed PoW verification",
                header.number
            );
            ensure!(
                H256::from(mix.as_bytes()) == header_mix_hash
                    && U256::from(result.0) < ethash::cross_boundary(header.difficulty),
                Error::<T>::InvalidHeader,
            );

            Ok(())
        }

        fn validate_header_difficulty(
            network_id: EVMChainId,
            new_header: &EthereumHeader,
        ) -> Result<(), Error<T>> {
            let check_block_number = match new_header
                .number
                .checked_sub(CHECK_DIFFICULTY_DIFFERENCE_NUMBER)
            {
                // If less than CHECK_DIFFICULTY_DIFFERENCE_NUMBER - ignore check
                None => return Ok(()),
                Some(num) => num,
            };

            let hashes = match HeadersByNumber::<T>::get(network_id, check_block_number) {
                // We trust our blockchain, so block should exist
                None => return Ok(()),
                Some(h) => h,
            };

            let headers_difficulty_max = match hashes
                .iter()
                .map(|hash| Headers::<T>::get(network_id, hash))
                .flat_map(|x| x)
                .map(|x| x.header.difficulty)
                .max()
            {
                None => frame_support::fail!(Error::<T>::NetworkStateInvalid),
                Some(max) => max,
            };

            // check total difficulty difference change and compare with new header difficulty
            ensure!(
                headers_difficulty_max
                    // .checked_sub(headers_prev_difficulty_min)
                    // .unwrap_or(0.into())
                    <= new_header
                        .difficulty
                        .checked_mul(DIFFICULTY_DIFFERENCE_MULT)
                        .unwrap_or(U256::MAX),
                Error::<T>::DifficultyTooLow
            );
            Ok(())
        }

        #[cfg(test)]
        pub fn validate_header_difficulty_test(
            network_id: EVMChainId,
            new_header: &EthereumHeader,
        ) -> DispatchResult {
            Self::validate_header_difficulty(network_id, new_header).map_err(|e| e.into())
        }

        // Import a new, validated Ethereum header
        fn import_validated_header(
            network_id: EVMChainId,
            sender: &T::AccountId,
            header: &EthereumHeader,
        ) -> DispatchResult {
            let hash = header.compute_hash();
            let stored_parent_header = <Headers<T>>::get(network_id, header.parent_hash)
                .ok_or(Error::<T>::MissingParentHeader)?;
            let total_difficulty = stored_parent_header
                .total_difficulty
                .checked_add(header.difficulty)
                .ok_or("Total difficulty overflow")?;
            let header_to_store = StoredHeader {
                submitter: Some(sender.clone()),
                header: header.clone(),
                total_difficulty,
                finalized: false,
            };

            <Headers<T>>::insert(network_id, hash, header_to_store);

            if <HeadersByNumber<T>>::contains_key(network_id, header.number) {
                <HeadersByNumber<T>>::mutate(
                    network_id,
                    header.number,
                    |option| -> DispatchResult {
                        if let Some(hashes) = option {
                            hashes.push(hash);
                            return Ok(());
                        }
                        Err(Error::<T>::Unknown.into())
                    },
                )?;
            } else {
                <HeadersByNumber<T>>::insert(network_id, header.number, vec![hash]);
            }

            // Maybe track new highest difficulty chain
            let (_, highest_difficulty) =
                <BestBlock<T>>::get(network_id).ok_or(Error::<T>::NetworkNotFound)?;
            if total_difficulty > highest_difficulty
                || (!T::VerifyPoW::get() && total_difficulty == U256::zero())
            {
                let best_block_id = EthereumHeaderId {
                    number: header.number,
                    hash,
                };
                <BestBlock<T>>::insert(network_id, (best_block_id, total_difficulty));

                // Finalize blocks if possible
                let finalized_block_id =
                    <FinalizedBlock<T>>::get(network_id).ok_or(Error::<T>::NetworkNotFound)?;
                let new_finalized_block_id = Self::get_best_finalized_header(
                    network_id,
                    &best_block_id,
                    &finalized_block_id,
                )?;
                if new_finalized_block_id != finalized_block_id {
                    <FinalizedBlock<T>>::insert(network_id, new_finalized_block_id);
                    Self::deposit_event(Event::Finalized(network_id, new_finalized_block_id));
                    <Headers<T>>::mutate(
                        network_id,
                        new_finalized_block_id.hash,
                        |option| -> DispatchResult {
                            if let Some(header) = option {
                                header.finalized = true;
                                return Ok(());
                            }
                            Err(Error::<T>::Unknown.into())
                        },
                    )?;
                }

                // Clean up old headers
                let pruning_range =
                    <BlocksToPrune<T>>::get(network_id).ok_or(Error::<T>::NetworkNotFound)?;
                let new_pruning_range = Self::prune_header_range(
                    network_id,
                    &pruning_range,
                    HEADERS_TO_PRUNE_IN_SINGLE_IMPORT,
                    new_finalized_block_id
                        .number
                        .saturating_sub(FINALIZED_HEADERS_TO_KEEP),
                );
                if new_pruning_range != pruning_range {
                    <BlocksToPrune<T>>::insert(network_id, new_pruning_range);
                }
            }

            Ok(())
        }

        // Return the latest block that can be finalized based on the given
        // highest difficulty chain and previously finalized block.
        fn get_best_finalized_header(
            network_id: EVMChainId,
            best_block_id: &EthereumHeaderId,
            finalized_block_id: &EthereumHeaderId,
        ) -> Result<EthereumHeaderId, DispatchError> {
            let required_descendants = T::DescendantsUntilFinalized::get() as usize;
            let maybe_newly_finalized_ancestor =
                ancestry::<T>(network_id.clone(), best_block_id.hash)
                    .enumerate()
                    .find_map(|(i, pair)| {
                        if i < required_descendants {
                            None
                        } else {
                            Some(pair)
                        }
                    });

            match maybe_newly_finalized_ancestor {
                Some((hash, header)) => {
                    // The header is newly finalized if it is younger than the current
                    // finalized block
                    if header.number > finalized_block_id.number {
                        return Ok(EthereumHeaderId {
                            hash: hash,
                            number: header.number,
                        });
                    }
                    if hash != finalized_block_id.hash {
                        return Err(Error::<T>::Unknown.into());
                    }
                    Ok(finalized_block_id.clone())
                }
                None => Ok(finalized_block_id.clone()),
            }
        }

        // Remove old headers, from oldest to newest, in the provided range
        // (adjusted to `prune_end` if newer). Only up to `max_headers_to_prune`
        // will be removed.
        pub(super) fn prune_header_range(
            network_id: EVMChainId,
            pruning_range: &PruningRange,
            max_headers_to_prune: u64,
            prune_end: u64,
        ) -> PruningRange {
            let mut new_pruning_range = pruning_range.clone();

            // We can only increase this since pruning cannot be reverted...
            if prune_end > new_pruning_range.oldest_block_to_keep {
                new_pruning_range.oldest_block_to_keep = prune_end;
            }

            let start = new_pruning_range.oldest_unpruned_block;
            let end = new_pruning_range.oldest_block_to_keep;
            let mut blocks_pruned = 0;
            for number in start..end {
                if blocks_pruned == max_headers_to_prune {
                    break;
                }

                if let Some(hashes_at_number) = <HeadersByNumber<T>>::take(network_id, number) {
                    let mut remaining = hashes_at_number.len();
                    for hash in hashes_at_number.iter() {
                        <Headers<T>>::remove(network_id, hash);
                        blocks_pruned += 1;
                        remaining -= 1;
                        if blocks_pruned == max_headers_to_prune {
                            break;
                        }
                    }

                    if remaining > 0 {
                        let remainder = &hashes_at_number[hashes_at_number.len() - remaining..];
                        <HeadersByNumber<T>>::insert(network_id, number, remainder);
                    } else {
                        new_pruning_range.oldest_unpruned_block = number + 1;
                    }
                } else {
                    new_pruning_range.oldest_unpruned_block = number + 1;
                }
            }

            new_pruning_range
        }

        // Verifies that the receipt encoded in proof.data is included
        // in the block given by proof.block_hash. Inclusion is only
        // recognized if the block has been finalized.
        fn verify_receipt_inclusion(
            network_id: EVMChainId,
            proof: &Proof,
        ) -> Result<(Receipt, u64), DispatchError> {
            let stored_header =
                <Headers<T>>::get(network_id, proof.block_hash).ok_or(Error::<T>::MissingHeader)?;

            ensure!(stored_header.finalized, Error::<T>::HeaderNotFinalized);

            let result = stored_header
                .header
                .check_receipt_proof(&proof.data)
                .ok_or(Error::<T>::InvalidProof)?;

            match result {
                Ok(receipt) => Ok((receipt, stored_header.header.timestamp)),
                Err(err) => {
                    log::trace!(
                        target: "ethereum-light-client",
                        "Failed to decode transaction receipt: {}",
                        err
                    );
                    Err(Error::<T>::InvalidProof.into())
                }
            }
        }

        /// Import an ordered vec of Ethereum headers without performing
        /// validation.
        ///
        /// NOTE: This should only be used to initialize empty storage.
        pub(crate) fn initialize_storage_inner(
            network_id: EVMChainId,
            headers: Vec<EthereumHeader>,
            initial_difficulty: U256,
            descendants_until_final: u8,
        ) -> Result<(), &'static str> {
            let insert_header_fn = |header: &EthereumHeader, total_difficulty: U256| {
                let hash = header.compute_hash();
                <Headers<T>>::insert(
                    network_id,
                    hash,
                    StoredHeader {
                        submitter: None,
                        header: header.clone(),
                        total_difficulty: total_difficulty,
                        finalized: false,
                    },
                );
                <HeadersByNumber<T>>::append(network_id, header.number, hash);

                EthereumHeaderId {
                    number: header.number,
                    hash: hash,
                }
            };

            let oldest_header = headers.get(0).ok_or("Need at least one header")?;
            let mut best_block_difficulty = initial_difficulty;
            let mut best_block_id = insert_header_fn(&oldest_header, best_block_difficulty);

            for (i, header) in headers.iter().enumerate().skip(1) {
                let prev_block_num = headers[i - 1].number;
                ensure!(
                    header.number == prev_block_num || header.number == prev_block_num + 1,
                    "Headers must be in order",
                );

                let total_difficulty = {
                    let parent = <Headers<T>>::get(network_id, header.parent_hash)
                        .ok_or("Missing parent header")?;
                    parent.total_difficulty.saturating_add(header.difficulty)
                };

                let block_id = insert_header_fn(&header, total_difficulty);

                if total_difficulty > best_block_difficulty {
                    best_block_difficulty = total_difficulty;
                    best_block_id = block_id;
                }
            }

            <BestBlock<T>>::insert(network_id, (best_block_id, best_block_difficulty));

            let maybe_finalized_ancestor = ancestry::<T>(network_id.clone(), best_block_id.hash)
                .enumerate()
                .find_map(|(i, pair)| {
                    if i < descendants_until_final as usize {
                        None
                    } else {
                        Some(pair)
                    }
                });
            if let Some((hash, header)) = maybe_finalized_ancestor {
                <FinalizedBlock<T>>::insert(
                    network_id,
                    EthereumHeaderId {
                        hash: hash,
                        number: header.number,
                    },
                );
                let mut next_hash = Ok(hash);
                loop {
                    match next_hash {
                        Ok(hash) => {
                            next_hash = <Headers<T>>::mutate(network_id, hash, |option| {
                                if let Some(header) = option {
                                    header.finalized = true;
                                    return Ok(header.header.parent_hash);
                                }
                                Err("No header at hash")
                            })
                        }
                        _ => break,
                    }
                }
            } else {
                panic!("Network don't have finalized header");
            }

            Ok(())
        }
    }

    /// Return iterator over header ancestors, starting at given hash
    fn ancestry<T: Config>(
        network_id: EVMChainId,
        mut hash: H256,
    ) -> impl Iterator<Item = (H256, EthereumHeader)> {
        sp_std::iter::from_fn(move || {
            let header = <Headers<T>>::get(network_id, &hash)?.header;
            let current_hash = hash;
            hash = header.parent_hash;
            Some((current_hash, header))
        })
    }

    impl<T: Config> EthereumGasPriceOracle for Pallet<T> {
        fn get_base_fee(
            network_id: EVMChainId,
            header_hash: H256,
        ) -> Result<Option<U256>, DispatchError> {
            let header =
                <Headers<T>>::get(network_id, &header_hash).ok_or(Error::<T>::HeaderNotFound)?;
            Ok(header.header.base_fee)
        }

        fn get_best_block_base_fee(network_id: EVMChainId) -> Result<Option<U256>, DispatchError> {
            let (header_id, _) =
                <BestBlock<T>>::get(network_id).ok_or(Error::<T>::NetworkNotFound)?;
            Self::get_base_fee(network_id, header_id.hash)
        }
    }

    impl<T: Config> Verifier for Pallet<T> {
        type Proof = Proof;
        /// Verify a message by verifying the existence of the corresponding
        /// Ethereum log in a block. Returns the log if successful.
        fn verify(
            network_id: GenericNetworkId,
            message_hash: H256,
            proof: &Self::Proof,
        ) -> DispatchResult {
            let network_id = network_id.evm().ok_or(Error::<T>::NetworkNotFound)?;
            let (receipt, timestamp) = Self::verify_receipt_inclusion(network_id, proof)?;

            log::trace!(
                target: "ethereum-light-client",
                "Verified receipt inclusion for transaction at index {} in block {}",
                proof.tx_index, proof.block_hash,
            );

            // Check transaction status according https://eips.ethereum.org/EIPS/eip-658
            if receipt.post_state_or_status != vec![1] {
                log::trace!(
                    target: "ethereum-light-client",
                    "Receipt has failed status for transaction at index {} in block {}",
                    proof.tx_index, proof.block_hash,
                );
                return Err(Error::<T>::InvalidProof.into());
            }

            if !receipt.contains_hashed_log(message_hash) {
                log::trace!(
                    target: "ethereum-light-client",
                    "Event log not found in receipt for transaction at index {} in block {}",
                    proof.tx_index, proof.block_hash,
                );
                return Err(Error::<T>::InvalidProof.into());
            }

            Ok(())
        }

        fn verify_weight(_proof: &Self::Proof) -> Weight {
            Default::default()
        }

        #[cfg(feature = "runtime-benchmarks")]
        fn valid_proof() -> Option<Self::Proof> {
            None
        }
    }
}