1#![cfg_attr(not(feature = "std"), no_std)]
108
109pub mod disabling;
110#[cfg(feature = "historical")]
111pub mod historical;
112pub mod migrations;
113#[cfg(test)]
114mod mock;
115#[cfg(test)]
116mod tests;
117pub mod weights;
118
119extern crate alloc;
120
121use alloc::{boxed::Box, vec::Vec};
122use codec::{Decode, MaxEncodedLen};
123use core::{
124 marker::PhantomData,
125 ops::{Rem, Sub},
126};
127use disabling::DisablingStrategy;
128use frame_support::{
129 dispatch::DispatchResult,
130 ensure,
131 traits::{
132 fungible::{hold::Mutate as HoldMutate, Inspect, Mutate},
133 Defensive, EstimateNextNewSession, EstimateNextSessionRotation, FindAuthor, Get,
134 OneSessionHandler, ValidatorRegistration, ValidatorSet,
135 },
136 weights::Weight,
137 Parameter,
138};
139use frame_system::pallet_prelude::BlockNumberFor;
140use sp_runtime::{
141 traits::{AtLeast32BitUnsigned, Convert, Member, One, OpaqueKeys, Zero},
142 ConsensusEngineId, DispatchError, KeyTypeId, Permill, RuntimeAppPublic,
143};
144use sp_staking::{offence::OffenceSeverity, SessionIndex};
145
146pub use pallet::*;
147pub use weights::WeightInfo;
148
149#[cfg(any(feature = "try-runtime"))]
150use sp_runtime::TryRuntimeError;
151
152pub(crate) const LOG_TARGET: &str = "runtime::session";
153
154#[macro_export]
156macro_rules! log {
157 ($level:tt, $patter:expr $(, $values:expr)* $(,)?) => {
158 log::$level!(
159 target: crate::LOG_TARGET,
160 concat!("[{:?}] 💸 ", $patter), <frame_system::Pallet<T>>::block_number() $(, $values)*
161 )
162 };
163}
164
165pub trait ShouldEndSession<BlockNumber> {
167 fn should_end_session(now: BlockNumber) -> bool;
169}
170
171pub struct PeriodicSessions<Period, Offset>(PhantomData<(Period, Offset)>);
177
178impl<
179 BlockNumber: Rem<Output = BlockNumber> + Sub<Output = BlockNumber> + Zero + PartialOrd,
180 Period: Get<BlockNumber>,
181 Offset: Get<BlockNumber>,
182 > ShouldEndSession<BlockNumber> for PeriodicSessions<Period, Offset>
183{
184 fn should_end_session(now: BlockNumber) -> bool {
185 let offset = Offset::get();
186 now >= offset && ((now - offset) % Period::get()).is_zero()
187 }
188}
189
190impl<
191 BlockNumber: AtLeast32BitUnsigned + Clone,
192 Period: Get<BlockNumber>,
193 Offset: Get<BlockNumber>,
194 > EstimateNextSessionRotation<BlockNumber> for PeriodicSessions<Period, Offset>
195{
196 fn average_session_length() -> BlockNumber {
197 Period::get()
198 }
199
200 fn estimate_current_session_progress(now: BlockNumber) -> (Option<Permill>, Weight) {
201 let offset = Offset::get();
202 let period = Period::get();
203
204 let progress = if now >= offset {
208 let current = (now - offset) % period.clone() + One::one();
209 Some(Permill::from_rational(current, period))
210 } else {
211 Some(Permill::from_rational(now + One::one(), offset))
212 };
213
214 (progress, Zero::zero())
219 }
220
221 fn estimate_next_session_rotation(now: BlockNumber) -> (Option<BlockNumber>, Weight) {
222 let offset = Offset::get();
223 let period = Period::get();
224
225 let next_session = if now > offset {
226 let block_after_last_session = (now.clone() - offset) % period.clone();
227 if block_after_last_session > Zero::zero() {
228 now.saturating_add(period.saturating_sub(block_after_last_session))
229 } else {
230 now + period
235 }
236 } else {
237 offset
238 };
239
240 (Some(next_session), Zero::zero())
245 }
246}
247
248pub trait SessionManager<ValidatorId> {
250 fn new_session(new_index: SessionIndex) -> Option<Vec<ValidatorId>>;
264 fn new_session_genesis(new_index: SessionIndex) -> Option<Vec<ValidatorId>> {
269 Self::new_session(new_index)
270 }
271 fn end_session(end_index: SessionIndex);
276 fn start_session(start_index: SessionIndex);
280}
281
282impl<A> SessionManager<A> for () {
283 fn new_session(_: SessionIndex) -> Option<Vec<A>> {
284 None
285 }
286 fn start_session(_: SessionIndex) {}
287 fn end_session(_: SessionIndex) {}
288}
289
290pub trait SessionHandler<ValidatorId> {
292 const KEY_TYPE_IDS: &'static [KeyTypeId];
298
299 fn on_genesis_session<Ks: OpaqueKeys>(validators: &[(ValidatorId, Ks)]);
304
305 fn on_new_session<Ks: OpaqueKeys>(
315 changed: bool,
316 validators: &[(ValidatorId, Ks)],
317 queued_validators: &[(ValidatorId, Ks)],
318 );
319
320 fn on_before_session_ending() {}
325
326 fn on_disabled(validator_index: u32);
328}
329
330#[impl_trait_for_tuples::impl_for_tuples(1, 30)]
331#[tuple_types_custom_trait_bound(OneSessionHandler<AId>)]
332impl<AId> SessionHandler<AId> for Tuple {
333 for_tuples!(
334 const KEY_TYPE_IDS: &'static [KeyTypeId] = &[ #( <Tuple::Key as RuntimeAppPublic>::ID ),* ];
335 );
336
337 fn on_genesis_session<Ks: OpaqueKeys>(validators: &[(AId, Ks)]) {
338 for_tuples!(
339 #(
340 let our_keys: Box<dyn Iterator<Item=_>> = Box::new(validators.iter()
341 .filter_map(|k|
342 k.1.get::<Tuple::Key>(<Tuple::Key as RuntimeAppPublic>::ID).map(|k1| (&k.0, k1))
343 )
344 );
345
346 Tuple::on_genesis_session(our_keys);
347 )*
348 )
349 }
350
351 fn on_new_session<Ks: OpaqueKeys>(
352 changed: bool,
353 validators: &[(AId, Ks)],
354 queued_validators: &[(AId, Ks)],
355 ) {
356 for_tuples!(
357 #(
358 let our_keys: Box<dyn Iterator<Item=_>> = Box::new(validators.iter()
359 .filter_map(|k|
360 k.1.get::<Tuple::Key>(<Tuple::Key as RuntimeAppPublic>::ID).map(|k1| (&k.0, k1))
361 ));
362 let queued_keys: Box<dyn Iterator<Item=_>> = Box::new(queued_validators.iter()
363 .filter_map(|k|
364 k.1.get::<Tuple::Key>(<Tuple::Key as RuntimeAppPublic>::ID).map(|k1| (&k.0, k1))
365 ));
366 Tuple::on_new_session(changed, our_keys, queued_keys);
367 )*
368 )
369 }
370
371 fn on_before_session_ending() {
372 for_tuples!( #( Tuple::on_before_session_ending(); )* )
373 }
374
375 fn on_disabled(i: u32) {
376 for_tuples!( #( Tuple::on_disabled(i); )* )
377 }
378}
379
380pub struct TestSessionHandler;
382impl<AId> SessionHandler<AId> for TestSessionHandler {
383 const KEY_TYPE_IDS: &'static [KeyTypeId] = &[sp_runtime::key_types::DUMMY];
384 fn on_genesis_session<Ks: OpaqueKeys>(_: &[(AId, Ks)]) {}
385 fn on_new_session<Ks: OpaqueKeys>(_: bool, _: &[(AId, Ks)], _: &[(AId, Ks)]) {}
386 fn on_before_session_ending() {}
387 fn on_disabled(_: u32) {}
388}
389
390pub trait SessionInterface {
398 type ValidatorId: Clone;
400
401 type AccountId;
403
404 type Keys: OpaqueKeys + codec::Decode;
406
407 fn validators() -> Vec<Self::ValidatorId>;
409
410 fn prune_up_to(index: SessionIndex);
412
413 fn report_offence(offender: Self::ValidatorId, severity: OffenceSeverity);
417
418 fn set_keys(account: &Self::AccountId, keys: Self::Keys) -> DispatchResult;
427
428 fn purge_keys(account: &Self::AccountId) -> DispatchResult;
433
434 fn set_keys_weight() -> Weight;
436
437 fn purge_keys_weight() -> Weight;
439}
440
441#[frame_support::pallet]
442pub mod pallet {
443 use super::*;
444 use frame_support::pallet_prelude::*;
445 use frame_system::pallet_prelude::*;
446
447 const STORAGE_VERSION: StorageVersion = StorageVersion::new(1);
449
450 #[pallet::pallet]
451 #[pallet::storage_version(STORAGE_VERSION)]
452 #[pallet::without_storage_info]
453 pub struct Pallet<T>(_);
454
455 #[pallet::config]
456 pub trait Config: frame_system::Config {
457 #[allow(deprecated)]
459 type RuntimeEvent: From<Event<Self>> + IsType<<Self as frame_system::Config>::RuntimeEvent>;
460
461 type ValidatorId: Member
463 + Parameter
464 + MaybeSerializeDeserialize
465 + MaxEncodedLen
466 + TryFrom<Self::AccountId>;
467
468 type ValidatorIdOf: Convert<Self::AccountId, Option<Self::ValidatorId>>;
476
477 type ShouldEndSession: ShouldEndSession<BlockNumberFor<Self>>;
479
480 type NextSessionRotation: EstimateNextSessionRotation<BlockNumberFor<Self>>;
484
485 type SessionManager: SessionManager<Self::ValidatorId>;
487
488 type SessionHandler: SessionHandler<Self::ValidatorId>;
490
491 type Keys: OpaqueKeys + Member + Parameter + MaybeSerializeDeserialize;
493
494 type DisablingStrategy: DisablingStrategy<Self>;
496
497 type WeightInfo: WeightInfo;
499
500 type Currency: Mutate<Self::AccountId>
502 + HoldMutate<Self::AccountId, Reason: From<HoldReason>>;
503
504 #[pallet::constant]
506 type KeyDeposit: Get<
507 <<Self as Config>::Currency as Inspect<<Self as frame_system::Config>::AccountId>>::Balance,
508 >;
509 }
510
511 #[pallet::genesis_config]
512 #[derive(frame_support::DefaultNoBound)]
513 pub struct GenesisConfig<T: Config> {
514 pub keys: Vec<(T::AccountId, T::ValidatorId, T::Keys)>,
518 pub non_authority_keys: Vec<(T::AccountId, T::ValidatorId, T::Keys)>,
522 }
523
524 #[pallet::genesis_build]
525 impl<T: Config> BuildGenesisConfig for GenesisConfig<T> {
526 fn build(&self) {
527 if T::SessionHandler::KEY_TYPE_IDS.len() != T::Keys::key_ids().len() {
528 panic!("Number of keys in session handler and session keys does not match");
529 }
530
531 T::SessionHandler::KEY_TYPE_IDS
532 .iter()
533 .zip(T::Keys::key_ids())
534 .enumerate()
535 .for_each(|(i, (sk, kk))| {
536 if sk != kk {
537 panic!(
538 "Session handler and session key expect different key type at index: {}",
539 i,
540 );
541 }
542 });
543
544 for (account, val, keys) in
545 self.keys.iter().chain(self.non_authority_keys.iter()).cloned()
546 {
547 Pallet::<T>::inner_set_keys(&val, keys)
548 .expect("genesis config must not contain duplicates; qed");
549 if frame_system::Pallet::<T>::inc_consumers_without_limit(&account).is_err() {
550 frame_system::Pallet::<T>::inc_providers(&account);
555 }
556 }
557
558 let initial_validators_0 =
559 T::SessionManager::new_session_genesis(0).unwrap_or_else(|| {
560 frame_support::print(
561 "No initial validator provided by `SessionManager`, use \
562 session config keys to generate initial validator set.",
563 );
564 self.keys.iter().map(|x| x.1.clone()).collect()
565 });
566
567 let initial_validators_1 = T::SessionManager::new_session_genesis(1)
568 .unwrap_or_else(|| initial_validators_0.clone());
569
570 let queued_keys: Vec<_> = initial_validators_1
571 .into_iter()
572 .filter_map(|v| Pallet::<T>::load_keys(&v).map(|k| (v, k)))
573 .collect();
574
575 T::SessionHandler::on_genesis_session::<T::Keys>(&queued_keys);
577
578 Validators::<T>::put(initial_validators_0);
579 QueuedKeys::<T>::put(queued_keys);
580
581 T::SessionManager::start_session(0);
582 }
583 }
584
585 #[pallet::composite_enum]
587 pub enum HoldReason {
588 #[codec(index = 0)]
590 Keys,
591 }
592
593 #[pallet::storage]
595 pub type Validators<T: Config> = StorageValue<_, Vec<T::ValidatorId>, ValueQuery>;
596
597 #[pallet::storage]
599 pub type CurrentIndex<T> = StorageValue<_, SessionIndex, ValueQuery>;
600
601 #[pallet::storage]
604 pub type QueuedChanged<T> = StorageValue<_, bool, ValueQuery>;
605
606 #[pallet::storage]
609 pub type QueuedKeys<T: Config> = StorageValue<_, Vec<(T::ValidatorId, T::Keys)>, ValueQuery>;
610
611 #[pallet::storage]
617 pub type DisabledValidators<T> = StorageValue<_, Vec<(u32, OffenceSeverity)>, ValueQuery>;
618
619 #[pallet::storage]
621 pub type NextKeys<T: Config> =
622 StorageMap<_, Twox64Concat, T::ValidatorId, T::Keys, OptionQuery>;
623
624 #[pallet::storage]
626 pub type KeyOwner<T: Config> =
627 StorageMap<_, Twox64Concat, (KeyTypeId, Vec<u8>), T::ValidatorId, OptionQuery>;
628
629 #[pallet::storage]
634 pub type ExternallySetKeys<T: Config> =
635 StorageMap<_, Twox64Concat, T::AccountId, (), OptionQuery>;
636
637 #[pallet::event]
638 #[pallet::generate_deposit(pub(super) fn deposit_event)]
639 pub enum Event<T: Config> {
640 NewSession { session_index: SessionIndex },
643 NewQueued,
646 ValidatorDisabled { validator: T::ValidatorId },
648 ValidatorReenabled { validator: T::ValidatorId },
650 }
651
652 #[pallet::error]
654 pub enum Error<T> {
655 InvalidProof,
657 NoAssociatedValidatorId,
659 DuplicatedKey,
661 NoKeys,
663 NoAccount,
665 }
666
667 #[pallet::hooks]
668 impl<T: Config> Hooks<BlockNumberFor<T>> for Pallet<T> {
669 fn on_initialize(n: BlockNumberFor<T>) -> Weight {
672 if T::ShouldEndSession::should_end_session(n) {
673 Self::rotate_session();
674 T::BlockWeights::get().max_block
675 } else {
676 Weight::zero()
680 }
681 }
682
683 #[cfg(feature = "try-runtime")]
684 fn try_state(_n: BlockNumberFor<T>) -> Result<(), TryRuntimeError> {
685 Self::do_try_state()
686 }
687 }
688
689 #[pallet::call]
690 impl<T: Config> Pallet<T> {
691 #[pallet::call_index(0)]
703 #[pallet::weight(T::WeightInfo::set_keys())]
704 pub fn set_keys(origin: OriginFor<T>, keys: T::Keys, proof: Vec<u8>) -> DispatchResult {
705 let who = ensure_signed(origin)?;
706 ensure!(
707 who.using_encoded(|who| keys.ownership_proof_is_valid(who, &proof)),
708 Error::<T>::InvalidProof,
709 );
710
711 Self::do_set_keys(&who, keys)?;
712 Ok(())
713 }
714
715 #[pallet::call_index(1)]
724 #[pallet::weight(T::WeightInfo::purge_keys())]
725 pub fn purge_keys(origin: OriginFor<T>) -> DispatchResult {
726 let who = ensure_signed(origin)?;
727 Self::do_purge_keys(&who)?;
728 Ok(())
729 }
730 }
731
732 #[cfg(feature = "runtime-benchmarks")]
733 impl<T: Config> Pallet<T> {
734 pub fn ensure_can_pay_key_deposit(who: &T::AccountId) -> Result<(), DispatchError> {
739 use frame_support::traits::tokens::{Fortitude, Preservation};
740 let deposit = T::KeyDeposit::get();
741 let has = T::Currency::reducible_balance(who, Preservation::Protect, Fortitude::Force);
742 if let Some(deficit) = deposit.checked_sub(&has) {
743 T::Currency::mint_into(who, deficit.max(T::Currency::minimum_balance()))
744 .map(|_inc| ())
745 } else {
746 Ok(())
747 }
748 }
749 }
750}
751
752impl<T: Config> Pallet<T> {
753 pub fn validators() -> Vec<T::ValidatorId> {
755 Validators::<T>::get()
756 }
757
758 pub fn current_index() -> SessionIndex {
760 CurrentIndex::<T>::get()
761 }
762
763 pub fn queued_keys() -> Vec<(T::ValidatorId, T::Keys)> {
765 QueuedKeys::<T>::get()
766 }
767
768 pub fn disabled_validators() -> Vec<u32> {
770 DisabledValidators::<T>::get().iter().map(|(i, _)| *i).collect()
771 }
772
773 pub fn rotate_session() {
777 let session_index = CurrentIndex::<T>::get();
778 let changed = QueuedChanged::<T>::get();
779
780 T::SessionHandler::on_before_session_ending();
782 T::SessionManager::end_session(session_index);
783 log!(trace, "ending_session {:?}", session_index);
784
785 let session_keys = QueuedKeys::<T>::get();
787 let validators =
788 session_keys.iter().map(|(validator, _)| validator.clone()).collect::<Vec<_>>();
789 Validators::<T>::put(&validators);
790
791 if changed {
792 log!(trace, "resetting disabled validators");
793 DisabledValidators::<T>::kill();
795 }
796
797 let session_index = session_index + 1;
799 CurrentIndex::<T>::put(session_index);
800 T::SessionManager::start_session(session_index);
801 log!(trace, "starting_session {:?}", session_index);
802
803 let maybe_next_validators = T::SessionManager::new_session(session_index + 1);
805 log!(
806 trace,
807 "planning_session {:?} with {:?} validators",
808 session_index + 1,
809 maybe_next_validators.as_ref().map(|v| v.len())
810 );
811 let (next_validators, next_identities_changed) =
812 if let Some(validators) = maybe_next_validators {
813 Self::deposit_event(Event::<T>::NewQueued);
817 (validators, true)
818 } else {
819 (Validators::<T>::get(), false)
820 };
821
822 let (queued_amalgamated, next_changed) = {
824 let mut changed = next_identities_changed;
827
828 let mut now_session_keys = session_keys.iter();
829 let mut check_next_changed = |keys: &T::Keys| {
830 if changed {
831 return;
832 }
833 if let Some((_, old_keys)) = now_session_keys.next() {
837 if old_keys != keys {
838 changed = true;
839 }
840 }
841 };
842 let queued_amalgamated =
843 next_validators
844 .into_iter()
845 .filter_map(|a| {
846 let k =
847 Self::load_keys(&a).or_else(|| {
848 log!(warn, "failed to load session key for {:?}, skipping for next session, maybe you need to set session keys for them?", a);
849 None
850 })?;
851 check_next_changed(&k);
852 Some((a, k))
853 })
854 .collect::<Vec<_>>();
855
856 (queued_amalgamated, changed)
857 };
858
859 QueuedKeys::<T>::put(queued_amalgamated.clone());
860 QueuedChanged::<T>::put(next_changed);
861
862 Self::deposit_event(Event::NewSession { session_index });
864
865 T::SessionHandler::on_new_session::<T::Keys>(changed, &session_keys, &queued_amalgamated);
867 }
868
869 pub fn upgrade_keys<Old, F>(upgrade: F)
885 where
886 Old: OpaqueKeys + Member + Decode,
887 F: Fn(T::ValidatorId, Old) -> T::Keys,
888 {
889 let old_ids = Old::key_ids();
890 let new_ids = T::Keys::key_ids();
891
892 NextKeys::<T>::translate::<Old, _>(|val, old_keys| {
894 for i in old_ids.iter() {
897 Self::clear_key_owner(*i, old_keys.get_raw(*i));
898 }
899
900 let new_keys = upgrade(val.clone(), old_keys);
901
902 for i in new_ids.iter() {
904 Self::put_key_owner(*i, new_keys.get_raw(*i), &val);
905 }
906
907 Some(new_keys)
908 });
909
910 let _ = QueuedKeys::<T>::translate::<Vec<(T::ValidatorId, Old)>, _>(|k| {
911 k.map(|k| {
912 k.into_iter()
913 .map(|(val, old_keys)| (val.clone(), upgrade(val, old_keys)))
914 .collect::<Vec<_>>()
915 })
916 });
917 }
918
919 fn do_set_keys(account: &T::AccountId, keys: T::Keys) -> DispatchResult {
924 let who = T::ValidatorIdOf::convert(account.clone())
925 .ok_or(Error::<T>::NoAssociatedValidatorId)?;
926
927 ensure!(frame_system::Pallet::<T>::can_inc_consumer(account), Error::<T>::NoAccount);
928
929 let old_keys = Self::inner_set_keys(&who, keys)?;
930
931 let needs_local_setup =
935 old_keys.is_none() || ExternallySetKeys::<T>::take(account).is_some();
936 if needs_local_setup {
937 let deposit = T::KeyDeposit::get();
938 if !deposit.is_zero() {
939 T::Currency::hold(&HoldReason::Keys.into(), account, deposit)?;
940 }
941
942 let assertion = frame_system::Pallet::<T>::inc_consumers(account).is_ok();
943 debug_assert!(assertion, "can_inc_consumer() returned true; no change since; qed");
944 }
945
946 Ok(())
947 }
948
949 fn inner_set_keys(
956 who: &T::ValidatorId,
957 keys: T::Keys,
958 ) -> Result<Option<T::Keys>, DispatchError> {
959 let old_keys = Self::load_keys(who);
960
961 for id in T::Keys::key_ids() {
962 let key = keys.get_raw(*id);
963
964 ensure!(
966 Self::key_owner(*id, key).map_or(true, |owner| &owner == who),
967 Error::<T>::DuplicatedKey,
968 );
969 }
970
971 for id in T::Keys::key_ids() {
972 let key = keys.get_raw(*id);
973
974 if let Some(old) = old_keys.as_ref().map(|k| k.get_raw(*id)) {
975 if key == old {
976 continue;
977 }
978
979 Self::clear_key_owner(*id, old);
980 }
981
982 Self::put_key_owner(*id, key, who);
983 }
984
985 Self::put_keys(who, &keys);
986 Ok(old_keys)
987 }
988
989 fn do_purge_keys(account: &T::AccountId) -> DispatchResult {
990 let who = T::ValidatorIdOf::convert(account.clone())
991 .or_else(|| T::ValidatorId::try_from(account.clone()).ok())
995 .ok_or(Error::<T>::NoAssociatedValidatorId)?;
996
997 let old_keys = Self::take_keys(&who).ok_or(Error::<T>::NoKeys)?;
998 for id in T::Keys::key_ids() {
999 let key_data = old_keys.get_raw(*id);
1000 Self::clear_key_owner(*id, key_data);
1001 }
1002
1003 let _ = T::Currency::release_all(
1005 &HoldReason::Keys.into(),
1006 account,
1007 frame_support::traits::tokens::Precision::BestEffort,
1008 );
1009
1010 if ExternallySetKeys::<T>::take(account).is_none() {
1011 frame_system::Pallet::<T>::dec_consumers(account);
1013 }
1014
1015 Ok(())
1016 }
1017
1018 pub fn load_keys(v: &T::ValidatorId) -> Option<T::Keys> {
1019 NextKeys::<T>::get(v)
1020 }
1021
1022 fn take_keys(v: &T::ValidatorId) -> Option<T::Keys> {
1023 NextKeys::<T>::take(v)
1024 }
1025
1026 fn put_keys(v: &T::ValidatorId, keys: &T::Keys) {
1027 NextKeys::<T>::insert(v, keys);
1028 }
1029
1030 pub fn key_owner(id: KeyTypeId, key_data: &[u8]) -> Option<T::ValidatorId> {
1032 KeyOwner::<T>::get((id, key_data))
1033 }
1034
1035 fn put_key_owner(id: KeyTypeId, key_data: &[u8], v: &T::ValidatorId) {
1036 KeyOwner::<T>::insert((id, key_data), v)
1037 }
1038
1039 fn clear_key_owner(id: KeyTypeId, key_data: &[u8]) {
1040 KeyOwner::<T>::remove((id, key_data));
1041 }
1042
1043 pub fn disable_index_with_severity(i: u32, severity: OffenceSeverity) -> bool {
1049 if i >= Validators::<T>::decode_len().defensive_unwrap_or(0) as u32 {
1050 return false;
1051 }
1052
1053 DisabledValidators::<T>::mutate(|disabled| {
1054 match disabled.binary_search_by_key(&i, |(index, _)| *index) {
1055 Ok(index) => {
1057 let current_severity = &mut disabled[index].1;
1058 if severity > *current_severity {
1059 log!(
1060 trace,
1061 "updating disablement severity of validator {:?} from {:?} to {:?}",
1062 i,
1063 *current_severity,
1064 severity
1065 );
1066 *current_severity = severity;
1067 }
1068 true
1069 },
1070 Err(index) => {
1072 log!(trace, "disabling validator {:?}", i);
1073 Self::deposit_event(Event::ValidatorDisabled {
1074 validator: Validators::<T>::get()[i as usize].clone(),
1075 });
1076 disabled.insert(index, (i, severity));
1077 T::SessionHandler::on_disabled(i);
1078 true
1079 },
1080 }
1081 })
1082 }
1083
1084 pub fn disable_index(i: u32) -> bool {
1087 let default_severity = OffenceSeverity::default();
1088 Self::disable_index_with_severity(i, default_severity)
1089 }
1090
1091 pub fn reenable_index(i: u32) -> bool {
1093 if i >= Validators::<T>::decode_len().defensive_unwrap_or(0) as u32 {
1094 return false;
1095 }
1096
1097 DisabledValidators::<T>::mutate(|disabled| {
1098 if let Ok(index) = disabled.binary_search_by_key(&i, |(index, _)| *index) {
1099 log!(trace, "reenabling validator {:?}", i);
1100 Self::deposit_event(Event::ValidatorReenabled {
1101 validator: Validators::<T>::get()[i as usize].clone(),
1102 });
1103 disabled.remove(index);
1104 return true;
1105 }
1106 false
1107 })
1108 }
1109
1110 pub fn validator_id_to_index(id: &T::ValidatorId) -> Option<u32> {
1113 Validators::<T>::get().iter().position(|i| i == id).map(|i| i as u32)
1114 }
1115
1116 pub fn report_offence(validator: T::ValidatorId, severity: OffenceSeverity) {
1119 let decision =
1120 T::DisablingStrategy::decision(&validator, severity, &DisabledValidators::<T>::get());
1121 log!(
1122 debug,
1123 "reporting offence for {:?} with {:?}, decision: {:?}",
1124 validator,
1125 severity,
1126 decision
1127 );
1128
1129 if let Some(offender_idx) = decision.disable {
1131 Self::disable_index_with_severity(offender_idx, severity);
1132 }
1133
1134 if let Some(reenable_idx) = decision.reenable {
1136 Self::reenable_index(reenable_idx);
1137 }
1138 }
1139
1140 #[cfg(any(test, feature = "try-runtime"))]
1141 pub fn do_try_state() -> Result<(), sp_runtime::TryRuntimeError> {
1142 ensure!(
1144 DisabledValidators::<T>::get().windows(2).all(|pair| pair[0].0 <= pair[1].0),
1145 "DisabledValidators is not sorted"
1146 );
1147 Ok(())
1148 }
1149}
1150
1151impl<T: Config> ValidatorRegistration<T::ValidatorId> for Pallet<T> {
1152 fn is_registered(id: &T::ValidatorId) -> bool {
1153 Self::load_keys(id).is_some()
1154 }
1155}
1156
1157impl<T: Config> ValidatorSet<T::AccountId> for Pallet<T> {
1158 type ValidatorId = T::ValidatorId;
1159 type ValidatorIdOf = T::ValidatorIdOf;
1160
1161 fn session_index() -> sp_staking::SessionIndex {
1162 CurrentIndex::<T>::get()
1163 }
1164
1165 fn validators() -> Vec<Self::ValidatorId> {
1166 Validators::<T>::get()
1167 }
1168}
1169
1170impl<T: Config> EstimateNextNewSession<BlockNumberFor<T>> for Pallet<T> {
1171 fn average_session_length() -> BlockNumberFor<T> {
1172 T::NextSessionRotation::average_session_length()
1173 }
1174
1175 fn estimate_next_new_session(now: BlockNumberFor<T>) -> (Option<BlockNumberFor<T>>, Weight) {
1178 T::NextSessionRotation::estimate_next_session_rotation(now)
1179 }
1180}
1181
1182impl<T: Config> frame_support::traits::DisabledValidators for Pallet<T> {
1183 fn is_disabled(index: u32) -> bool {
1184 DisabledValidators::<T>::get().binary_search_by_key(&index, |(i, _)| *i).is_ok()
1185 }
1186
1187 fn disabled_validators() -> Vec<u32> {
1188 Self::disabled_validators()
1189 }
1190}
1191
1192#[cfg(feature = "historical")]
1193impl<T: Config + historical::Config> SessionInterface for Pallet<T> {
1194 type ValidatorId = T::ValidatorId;
1195 type AccountId = T::AccountId;
1196 type Keys = T::Keys;
1197
1198 fn validators() -> Vec<Self::ValidatorId> {
1199 Self::validators()
1200 }
1201
1202 fn prune_up_to(index: SessionIndex) {
1203 historical::Pallet::<T>::prune_up_to(index)
1204 }
1205
1206 fn report_offence(offender: Self::ValidatorId, severity: OffenceSeverity) {
1207 Self::report_offence(offender, severity)
1208 }
1209
1210 fn set_keys(account: &Self::AccountId, keys: Self::Keys) -> DispatchResult {
1211 let who = T::ValidatorIdOf::convert(account.clone())
1212 .ok_or(Error::<T>::NoAssociatedValidatorId)?;
1213 let old_keys = Self::inner_set_keys(&who, keys)?;
1214 if old_keys.is_some() && !ExternallySetKeys::<T>::contains_key(account) {
1216 let _ = T::Currency::release_all(
1217 &HoldReason::Keys.into(),
1218 account,
1219 frame_support::traits::tokens::Precision::BestEffort,
1220 );
1221 frame_system::Pallet::<T>::dec_consumers(account);
1222 }
1223 ExternallySetKeys::<T>::insert(account, ());
1224 Ok(())
1225 }
1226
1227 fn purge_keys(account: &Self::AccountId) -> DispatchResult {
1228 let who = T::ValidatorIdOf::convert(account.clone())
1229 .ok_or(Error::<T>::NoAssociatedValidatorId)?;
1230
1231 let old_keys = Self::take_keys(&who).ok_or(Error::<T>::NoKeys)?;
1232 for id in T::Keys::key_ids() {
1233 let key_data = old_keys.get_raw(*id);
1234 Self::clear_key_owner(*id, key_data);
1235 }
1236 let _ = T::Currency::release_all(
1237 &HoldReason::Keys.into(),
1238 account,
1239 frame_support::traits::tokens::Precision::BestEffort,
1240 );
1241 if ExternallySetKeys::<T>::take(account).is_none() {
1242 frame_system::Pallet::<T>::dec_consumers(account);
1243 }
1244 Ok(())
1245 }
1246
1247 fn set_keys_weight() -> Weight {
1248 T::WeightInfo::set_keys()
1249 }
1250
1251 fn purge_keys_weight() -> Weight {
1252 T::WeightInfo::purge_keys()
1253 }
1254}
1255
1256pub struct FindAccountFromAuthorIndex<T, Inner>(core::marker::PhantomData<(T, Inner)>);
1260
1261impl<T: Config, Inner: FindAuthor<u32>> FindAuthor<T::ValidatorId>
1262 for FindAccountFromAuthorIndex<T, Inner>
1263{
1264 fn find_author<'a, I>(digests: I) -> Option<T::ValidatorId>
1265 where
1266 I: 'a + IntoIterator<Item = (ConsensusEngineId, &'a [u8])>,
1267 {
1268 let i = Inner::find_author(digests)?;
1269
1270 let validators = Validators::<T>::get();
1271 validators.get(i as usize).cloned()
1272 }
1273}