From 07768a4ca513a9e5505a940dcbc0faff7f8a9473 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 25 Sep 2024 13:08:43 +0000 Subject: [PATCH 01/37] new impl --- pallets/parachain-staking/src/benchmarks.rs | 4 +- pallets/parachain-staking/src/lib.rs | 125 ++++++++++++-------- pallets/parachain-staking/src/mock.rs | 20 +++- pallets/parachain-staking/src/tests.rs | 124 ++++++++++++++----- pallets/parachain-staking/src/types.rs | 12 +- 5 files changed, 197 insertions(+), 88 deletions(-) diff --git a/pallets/parachain-staking/src/benchmarks.rs b/pallets/parachain-staking/src/benchmarks.rs index 9be9170173..4ac1a79957 100644 --- a/pallets/parachain-staking/src/benchmarks.rs +++ b/pallets/parachain-staking/src/benchmarks.rs @@ -19,8 +19,8 @@ //! Benchmarking use crate::{ AwardedPts, BalanceOf, BottomDelegations, Call, CandidateBondLessRequest, Config, - DelegationAction, EnableMarkingOffline, Pallet, ParachainBondConfig, ParachainBondInfo, Points, - Range, RewardPayment, Round, ScheduledRequest, TopDelegations, + DelegationAction, EnableMarkingOffline, InflationDistributionAccount, Pallet, + ParachainBondInfo, Points, Range, RewardPayment, Round, ScheduledRequest, TopDelegations, }; use frame_benchmarking::{account, benchmarks, impl_benchmark_test_suite}; use frame_support::traits::{Currency, Get, OnFinalize, OnInitialize}; diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index 2e04e79d8c..5aa9bca82a 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -226,6 +226,7 @@ pub mod pallet { CannotSetBelowMin, RoundLengthMustBeGreaterThanTotalSelectedCollators, NoWritingSameValue, + TotalInflationDistributionPercentExceeds100, TooLowCandidateCountWeightHintJoinCandidates, TooLowCandidateCountWeightHintCancelLeaveCandidates, TooLowCandidateCountToLeaveCandidates, @@ -400,17 +401,15 @@ pub mod pallet { rewards: BalanceOf, }, /// Transferred to account which holds funds reserved for parachain bond. - ReservedForParachainBond { + InflationDistributed { + index: u32, account: T::AccountId, value: BalanceOf, }, - /// Account (re)set for parachain bond treasury. - ParachainBondAccountSet { - old: T::AccountId, - new: T::AccountId, + InflationDistributionConfigUpdated { + old: InflationDistributionConfig, + new: InflationDistributionConfig, }, - /// Percent of inflation reserved for parachain bond (re)set. - ParachainBondReservePercentSet { old: Percent, new: Percent }, /// Annual inflation input (first 3) was used to derive new per-round inflation (last 3) InflationSet { annual_min: Perbill, @@ -518,10 +517,15 @@ pub mod pallet { pub(crate) type TotalSelected = StorageValue<_, u32, ValueQuery>; #[pallet::storage] - #[pallet::getter(fn parachain_bond_info)] - /// Parachain bond config info { account, percent_of_inflation } - pub(crate) type ParachainBondInfo = - StorageValue<_, ParachainBondConfig, ValueQuery>; + #[pallet::getter(fn inflation_distribution_info)] + /// Inflation distribution configuration, including accounts that should receive inflation + /// before it is distributed to collators and delegators. + /// + /// The sum of the distribution percents must be less than or equal to 100. + /// + /// The first config is related to the parachain bond account, the second to the treasury account. + pub(crate) type InflationDistributionInfo = + StorageValue<_, InflationDistributionConfig, ValueQuery>; #[pallet::storage] #[pallet::getter(fn round)] @@ -787,12 +791,18 @@ pub mod pallet { // Set collator commission to default config >::put(self.collator_commission); // Set parachain bond config to default config - >::put(ParachainBondConfig { + let pbr = InflationDistributionAccount { // must be set soon; if not => due inflation will be sent to collators/delegators account: T::AccountId::decode(&mut sp_runtime::traits::TrailingZeroInput::zeroes()) .expect("infinite length input; no invalid inputs for type; qed"), percent: self.parachain_bond_reserve_percent, - }); + }; + let treasury = InflationDistributionAccount { + account: T::AccountId::decode(&mut sp_runtime::traits::TrailingZeroInput::zeroes()) + .expect("infinite length input; no invalid inputs for type; qed"), + percent: Percent::zero(), + }; + >::put([pbr, treasury]); // Set total selected candidates to value from config assert!( self.num_selected_candidates >= T::MinSelectedCandidates::get(), @@ -872,27 +882,26 @@ pub mod pallet { Ok(().into()) } - /// Set the account that will hold funds set aside for parachain bond + /// Deprecated: please use `set_inflation_distribution_config` instead. + /// + /// Set the account that will hold funds set aside for parachain bond #[pallet::call_index(2)] #[pallet::weight(::WeightInfo::set_parachain_bond_account())] pub fn set_parachain_bond_account( origin: OriginFor, new: T::AccountId, ) -> DispatchResultWithPostInfo { - T::MonetaryGovernanceOrigin::ensure_origin(origin)?; - let ParachainBondConfig { - account: old, - percent, - } = >::get(); - ensure!(old != new, Error::::NoWritingSameValue); - >::put(ParachainBondConfig { - account: new.clone(), - percent, - }); - Self::deposit_event(Event::ParachainBondAccountSet { old, new }); - Ok(().into()) + T::MonetaryGovernanceOrigin::ensure_origin(origin.clone())?; + let old = >::get(); + let new = InflationDistributionAccount { + account: new, + percent: old[0].percent.clone(), + }; + Pallet::::set_inflation_distribution_config(origin, [new, old[1].clone()]) } + /// Deprecated: please use `set_inflation_distribution_config` instead. + /// /// Set the percent of inflation set aside for parachain bond #[pallet::call_index(3)] #[pallet::weight(::WeightInfo::set_parachain_bond_reserve_percent())] @@ -900,18 +909,13 @@ pub mod pallet { origin: OriginFor, new: Percent, ) -> DispatchResultWithPostInfo { - T::MonetaryGovernanceOrigin::ensure_origin(origin)?; - let ParachainBondConfig { - account, - percent: old, - } = >::get(); - ensure!(old != new, Error::::NoWritingSameValue); - >::put(ParachainBondConfig { - account, + T::MonetaryGovernanceOrigin::ensure_origin(origin.clone())?; + let old = >::get(); + let new = InflationDistributionAccount { + account: old[0].account.clone(), percent: new, - }); - Self::deposit_event(Event::ParachainBondReservePercentSet { old, new }); - Ok(().into()) + }; + Pallet::::set_inflation_distribution_config(origin, [new, old[1].clone()]) } /// Set the total number of collator candidates selected per round @@ -1465,6 +1469,26 @@ pub mod pallet { T::MonetaryGovernanceOrigin::ensure_origin(origin.clone())?; Self::join_candidates_inner(account, bond, candidate_count) } + + /// Set the percent of inflation set aside for parachain bond + #[pallet::call_index(32)] + #[pallet::weight(::WeightInfo::set_parachain_bond_reserve_percent())] + pub fn set_inflation_distribution_config( + origin: OriginFor, + new: InflationDistributionConfig, + ) -> DispatchResultWithPostInfo { + T::MonetaryGovernanceOrigin::ensure_origin(origin)?; + let old = >::get(); + ensure!(old != new, Error::::NoWritingSameValue); + let total_percent = new.iter().fold(Percent::zero(), |acc, x| acc + x.percent); + ensure!( + total_percent <= Percent::from_percent(100), + Error::::TotalInflationDistributionPercentExceeds100, + ); + >::put(new.clone()); + Self::deposit_event(Event::InflationDistributionConfigUpdated { old, new }); + Ok(().into()) + } } /// Represents a payout made via `pay_one_collator_reward`. @@ -1836,20 +1860,23 @@ pub mod pallet { // Compute total issuance based on round duration let total_issuance = Self::compute_issuance(round_duration, round_length); - // reserve portion of issuance for parachain bond account let mut left_issuance = total_issuance; - let bond_config = >::get(); - let parachain_bond_reserve = bond_config.percent * total_issuance; - if let Ok(imb) = - T::Currency::deposit_into_existing(&bond_config.account, parachain_bond_reserve) - { - // update round issuance if transfer succeeds - left_issuance = left_issuance.saturating_sub(imb.peek()); - Self::deposit_event(Event::ReservedForParachainBond { - account: bond_config.account, - value: imb.peek(), - }); + + let configs = >::get(); + for (index, config) in configs.iter().enumerate() { + let reserve = config.percent * total_issuance; + if let Ok(imb) = + T::Currency::deposit_into_existing(&config.account, reserve) + { + // update round issuance if transfer succeeds + left_issuance = left_issuance.saturating_sub(imb.peek()); + Self::deposit_event(Event::InflationDistributed { + index: index as u32, + account: config.account.clone(), + value: imb.peek(), + }); + } } let payout = DelayedPayout { diff --git a/pallets/parachain-staking/src/mock.rs b/pallets/parachain-staking/src/mock.rs index aa1939d9ba..efc998ac86 100644 --- a/pallets/parachain-staking/src/mock.rs +++ b/pallets/parachain-staking/src/mock.rs @@ -15,7 +15,7 @@ // along with Moonbeam. If not, see . //! Test utilities -use crate as pallet_parachain_staking; +use crate::{self as pallet_parachain_staking, InflationDistributionAccount, InflationDistributionConfig}; use crate::{ pallet, AwardedPts, Config, Event as ParachainStakingEvent, InflationInfo, Points, Range, COLLATOR_LOCK_ID, DELEGATOR_LOCK_ID, @@ -321,6 +321,24 @@ pub(crate) fn roll_to_round_end(round: BlockNumber) -> BlockNumber { roll_to(block) } +pub(crate) fn inflation_configs( + pbr: AccountId, + pbr_percent: u8, + treasury: AccountId, + treasury_percent: u8, +) -> InflationDistributionConfig { + [ + InflationDistributionAccount { + account: pbr, + percent: Percent::from_percent(pbr_percent), + }, + InflationDistributionAccount { + account: treasury, + percent: Percent::from_percent(treasury_percent), + }, + ] +} + pub(crate) fn events() -> Vec> { System::events() .into_iter() diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index 0d6ffa6355..51f9838d9a 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -25,8 +25,8 @@ use crate::auto_compound::{AutoCompoundConfig, AutoCompoundDelegations}; use crate::delegation_requests::{CancelledScheduledRequest, DelegationAction, ScheduledRequest}; use crate::mock::{ - roll_blocks, roll_to, roll_to_round_begin, roll_to_round_end, set_author, set_block_author, - Balances, BlockNumber, ExtBuilder, ParachainStaking, RuntimeOrigin, Test, + inflation_configs, roll_blocks, roll_to, roll_to_round_begin, roll_to_round_end, set_author, + set_block_author, Balances, BlockNumber, ExtBuilder, ParachainStaking, RuntimeOrigin, Test, }; use crate::{ assert_events_emitted, assert_events_emitted_match, assert_events_eq, assert_no_events, @@ -613,19 +613,22 @@ fn set_parachain_bond_account_event_emits_correctly() { RuntimeOrigin::root(), 11 )); - assert_events_eq!(Event::ParachainBondAccountSet { old: 0, new: 11 }); + assert_events_eq!(Event::InflationDistributionConfigUpdated { + old: inflation_configs(0, 30, 0, 0), + new: inflation_configs(11, 30, 0, 0), + }); }); } #[test] fn set_parachain_bond_account_storage_updates_correctly() { ExtBuilder::default().build().execute_with(|| { - assert_eq!(ParachainStaking::parachain_bond_info().account, 0); + assert_eq!(ParachainStaking::inflation_distribution_info()[0].account, 0); assert_ok!(ParachainStaking::set_parachain_bond_account( RuntimeOrigin::root(), 11 )); - assert_eq!(ParachainStaking::parachain_bond_info().account, 11); + assert_eq!(ParachainStaking::inflation_distribution_info()[0].account, 11); }); } @@ -638,9 +641,9 @@ fn set_parachain_bond_reserve_percent_event_emits_correctly() { RuntimeOrigin::root(), Percent::from_percent(50) )); - assert_events_eq!(Event::ParachainBondReservePercentSet { - old: Percent::from_percent(30), - new: Percent::from_percent(50), + assert_events_eq!(Event::InflationDistributionConfigUpdated { + old: inflation_configs(0, 30, 0, 0), + new: inflation_configs(0, 50, 0, 0), }); }); } @@ -649,7 +652,7 @@ fn set_parachain_bond_reserve_percent_event_emits_correctly() { fn set_parachain_bond_reserve_percent_storage_updates_correctly() { ExtBuilder::default().build().execute_with(|| { assert_eq!( - ParachainStaking::parachain_bond_info().percent, + ParachainStaking::inflation_distribution_info()[0].percent, Percent::from_percent(30) ); assert_ok!(ParachainStaking::set_parachain_bond_reserve_percent( @@ -657,7 +660,7 @@ fn set_parachain_bond_reserve_percent_storage_updates_correctly() { Percent::from_percent(50) )); assert_eq!( - ParachainStaking::parachain_bond_info().percent, + ParachainStaking::inflation_distribution_info()[0].percent, Percent::from_percent(50) ); }); @@ -3966,7 +3969,10 @@ fn parachain_bond_inflation_reserve_matches_config() { RuntimeOrigin::root(), 11 )); - assert_events_eq!(Event::ParachainBondAccountSet { old: 0, new: 11 }); + assert_events_eq!(Event::InflationDistributionConfigUpdated { + old: inflation_configs(0, 30, 0, 0), + new: inflation_configs(11, 30, 0, 0), + }); roll_to_round_begin(2); // chooses top TotalSelectedCandidates (5), in order assert_events_eq!( @@ -4022,10 +4028,16 @@ fn parachain_bond_inflation_reserve_matches_config() { 1, )); assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 15, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 4, collator_account: 1, @@ -4085,10 +4097,16 @@ fn parachain_bond_inflation_reserve_matches_config() { // fast forward to block in which delegator 6 exit executes roll_to_round_begin(5); assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 16, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 5, collator_account: 1, @@ -4147,10 +4165,16 @@ fn parachain_bond_inflation_reserve_matches_config() { 10 )); assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 16, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 6, collator_account: 1, @@ -4214,10 +4238,16 @@ fn parachain_bond_inflation_reserve_matches_config() { ); roll_to_round_begin(7); assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 17, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 7, collator_account: 1, @@ -4271,19 +4301,25 @@ fn parachain_bond_inflation_reserve_matches_config() { RuntimeOrigin::root(), Percent::from_percent(50) )); - assert_events_eq!(Event::ParachainBondReservePercentSet { - old: Percent::from_percent(30), - new: Percent::from_percent(50), + assert_events_eq!(Event::InflationDistributionConfigUpdated { + old: inflation_configs(11, 30, 0, 0), + new: inflation_configs(11, 50, 0, 0), }); // 6 won't be paid for this round because they left already set_author(6, 1, 100); roll_to_round_begin(8); // keep paying 6 assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 30, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 8, collator_account: 1, @@ -4336,10 +4372,16 @@ fn parachain_bond_inflation_reserve_matches_config() { roll_to_round_begin(9); // no more paying 6 assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 32, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 9, collator_account: 1, @@ -4407,10 +4449,16 @@ fn parachain_bond_inflation_reserve_matches_config() { roll_to_round_begin(10); // new delegation is not rewarded yet assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 33, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 10, collator_account: 1, @@ -4464,10 +4512,16 @@ fn parachain_bond_inflation_reserve_matches_config() { roll_to_round_begin(11); // new delegation is still not rewarded yet assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 35, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 11, collator_account: 1, @@ -4519,10 +4573,16 @@ fn parachain_bond_inflation_reserve_matches_config() { roll_to_round_begin(12); // new delegation is rewarded, 2 rounds after joining (`RewardPaymentDelay` is 2) assert_events_eq!( - Event::ReservedForParachainBond { - account: 11, + Event::InflationDistributed { + index: 0, + account: 11, // PBR value: 37, }, + Event::InflationDistributed { + index: 1, + account: 0, // Treasury + value: 0, + }, Event::CollatorChosen { round: 12, collator_account: 1, diff --git a/pallets/parachain-staking/src/types.rs b/pallets/parachain-staking/src/types.rs index d2dcbb292d..342380499d 100644 --- a/pallets/parachain-staking/src/types.rs +++ b/pallets/parachain-staking/src/types.rs @@ -1748,17 +1748,21 @@ impl< } } +// Type which encapsulates the configuration for the inflation distribution, the first account being +// the parachain bond reserve PBR account and the second account being the treasury account. +pub type InflationDistributionConfig = [InflationDistributionAccount; 2]; + #[derive(Clone, PartialEq, Eq, Encode, Decode, RuntimeDebug, TypeInfo)] /// Reserve information { account, percent_of_inflation } -pub struct ParachainBondConfig { +pub struct InflationDistributionAccount { /// Account which receives funds intended for parachain bond pub account: AccountId, /// Percent of inflation set aside for parachain bond account pub percent: Percent, } -impl Default for ParachainBondConfig { - fn default() -> ParachainBondConfig { - ParachainBondConfig { +impl Default for InflationDistributionAccount { + fn default() -> InflationDistributionAccount { + InflationDistributionAccount { account: A::decode(&mut sp_runtime::traits::TrailingZeroInput::zeroes()) .expect("infinite length input; no invalid inputs for type; qed"), percent: Percent::zero(), From 2c219359bcdb17b7cce9a6ee8af6edfa146b0ef1 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 25 Sep 2024 13:25:02 +0000 Subject: [PATCH 02/37] fix benchs --- pallets/parachain-staking/src/benchmarks.rs | 18 +++++++++++------- pallets/parachain-staking/src/lib.rs | 4 +--- pallets/parachain-staking/src/mock.rs | 4 +++- pallets/parachain-staking/src/tests.rs | 10 ++++++++-- 4 files changed, 23 insertions(+), 13 deletions(-) diff --git a/pallets/parachain-staking/src/benchmarks.rs b/pallets/parachain-staking/src/benchmarks.rs index 4ac1a79957..44d5064f5a 100644 --- a/pallets/parachain-staking/src/benchmarks.rs +++ b/pallets/parachain-staking/src/benchmarks.rs @@ -19,8 +19,9 @@ //! Benchmarking use crate::{ AwardedPts, BalanceOf, BottomDelegations, Call, CandidateBondLessRequest, Config, - DelegationAction, EnableMarkingOffline, InflationDistributionAccount, Pallet, - ParachainBondInfo, Points, Range, RewardPayment, Round, ScheduledRequest, TopDelegations, + DelegationAction, EnableMarkingOffline, InflationDistributionAccount, + InflationDistributionInfo, Pallet, Points, Range, RewardPayment, Round, ScheduledRequest, + TopDelegations, }; use frame_benchmarking::{account, benchmarks, impl_benchmark_test_suite}; use frame_support::traits::{Currency, Get, OnFinalize, OnInitialize}; @@ -280,13 +281,13 @@ benchmarks! { let parachain_bond_account: T::AccountId = account("TEST", 0u32, USER_SEED); }: _(RawOrigin::Root, parachain_bond_account.clone()) verify { - assert_eq!(Pallet::::parachain_bond_info().account, parachain_bond_account); + assert_eq!(Pallet::::inflation_distribution_info()[0].account, parachain_bond_account); } set_parachain_bond_reserve_percent { }: _(RawOrigin::Root, Percent::from_percent(33)) verify { - assert_eq!(Pallet::::parachain_bond_info().percent, Percent::from_percent(33)); + assert_eq!(Pallet::::inflation_distribution_info()[0].percent, Percent::from_percent(33)); } // ROOT DISPATCHABLES @@ -1554,7 +1555,7 @@ benchmarks! { let payout_round = round.current - reward_delay; // may need: // > - // > + // > // ensure parachain bond account exists so that deposit_into_existing succeeds >::insert(payout_round, 100); @@ -1564,10 +1565,13 @@ benchmarks! { 0, min_candidate_stk::(), ).0; - >::put(ParachainBondConfig { + >::put([ + InflationDistributionAccount { account, percent: Percent::from_percent(50), - }); + }, + Default::default(), + ]); }: { Pallet::::prepare_staking_payouts(round, current_slot); } verify { diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index 5aa9bca82a..8e2ea9e069 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -1866,9 +1866,7 @@ pub mod pallet { let configs = >::get(); for (index, config) in configs.iter().enumerate() { let reserve = config.percent * total_issuance; - if let Ok(imb) = - T::Currency::deposit_into_existing(&config.account, reserve) - { + if let Ok(imb) = T::Currency::deposit_into_existing(&config.account, reserve) { // update round issuance if transfer succeeds left_issuance = left_issuance.saturating_sub(imb.peek()); Self::deposit_event(Event::InflationDistributed { diff --git a/pallets/parachain-staking/src/mock.rs b/pallets/parachain-staking/src/mock.rs index efc998ac86..7e50e2d4d6 100644 --- a/pallets/parachain-staking/src/mock.rs +++ b/pallets/parachain-staking/src/mock.rs @@ -15,7 +15,9 @@ // along with Moonbeam. If not, see . //! Test utilities -use crate::{self as pallet_parachain_staking, InflationDistributionAccount, InflationDistributionConfig}; +use crate::{ + self as pallet_parachain_staking, InflationDistributionAccount, InflationDistributionConfig, +}; use crate::{ pallet, AwardedPts, Config, Event as ParachainStakingEvent, InflationInfo, Points, Range, COLLATOR_LOCK_ID, DELEGATOR_LOCK_ID, diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index 51f9838d9a..41a9ec53c8 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -623,12 +623,18 @@ fn set_parachain_bond_account_event_emits_correctly() { #[test] fn set_parachain_bond_account_storage_updates_correctly() { ExtBuilder::default().build().execute_with(|| { - assert_eq!(ParachainStaking::inflation_distribution_info()[0].account, 0); + assert_eq!( + ParachainStaking::inflation_distribution_info()[0].account, + 0 + ); assert_ok!(ParachainStaking::set_parachain_bond_account( RuntimeOrigin::root(), 11 )); - assert_eq!(ParachainStaking::inflation_distribution_info()[0].account, 11); + assert_eq!( + ParachainStaking::inflation_distribution_info()[0].account, + 11 + ); }); } From fc626b9ae152604ae0fddd4757074137c5a6fb77 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 25 Sep 2024 14:44:43 +0000 Subject: [PATCH 03/37] fix tests --- pallets/parachain-staking/src/lib.rs | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index 8e2ea9e069..85a3988eee 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -77,6 +77,8 @@ pub use RoundIndex; #[pallet] pub mod pallet { + use core::f32::consts::E; + use crate::delegation_requests::{ CancelledScheduledRequest, DelegationAction, ScheduledRequest, }; @@ -1865,6 +1867,9 @@ pub mod pallet { let configs = >::get(); for (index, config) in configs.iter().enumerate() { + if config.percent.is_zero() { + continue; + } let reserve = config.percent * total_issuance; if let Ok(imb) = T::Currency::deposit_into_existing(&config.account, reserve) { // update round issuance if transfer succeeds From e3e191eed43e6ca18a8eff18a3852743ed50b7d2 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 25 Sep 2024 14:49:15 +0000 Subject: [PATCH 04/37] fix bench --- pallets/parachain-staking/src/benchmarks.rs | 25 +++++++++++++++++++++ pallets/parachain-staking/src/lib.rs | 2 -- 2 files changed, 25 insertions(+), 2 deletions(-) diff --git a/pallets/parachain-staking/src/benchmarks.rs b/pallets/parachain-staking/src/benchmarks.rs index 44d5064f5a..2e9ffa5727 100644 --- a/pallets/parachain-staking/src/benchmarks.rs +++ b/pallets/parachain-staking/src/benchmarks.rs @@ -290,6 +290,24 @@ benchmarks! { assert_eq!(Pallet::::inflation_distribution_info()[0].percent, Percent::from_percent(33)); } + set_inflation_distribution_config { + }: _(RawOrigin::Root, [ + InflationDistributionAccount { + account: account("TEST1", 0u32, USER_SEED), + percent: Percent::from_percent(33), + }, + InflationDistributionAccount { + account: account("TEST2", 1u32, USER_SEED), + percent: Percent::from_percent(22), + }, + ]) + verify { + assert_eq!(Pallet::::inflation_distribution_info()[0].account, account("TEST1", 0u32, USER_SEED)); + assert_eq!(Pallet::::inflation_distribution_info()[0].percent, Percent::from_percent(33)); + assert_eq!(Pallet::::inflation_distribution_info()[1].account, account("TEST2", 1u32, USER_SEED)); + assert_eq!(Pallet::::inflation_distribution_info()[1].percent, Percent::from_percent(22)); + } + // ROOT DISPATCHABLES set_total_selected { @@ -2349,6 +2367,13 @@ mod tests { }); } + #[test] + fn bench_set_inflation_distribution_config() { + new_test_ext().execute_with(|| { + assert_ok!(Pallet::::test_benchmark_set_inflation_distribution_config()); + }); + } + #[test] fn bench_set_total_selected() { new_test_ext().execute_with(|| { diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index 85a3988eee..b8093a11bb 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -77,8 +77,6 @@ pub use RoundIndex; #[pallet] pub mod pallet { - use core::f32::consts::E; - use crate::delegation_requests::{ CancelledScheduledRequest, DelegationAction, ScheduledRequest, }; From 1de4b2c0a258a29ab3faf0663573909d97b11a78 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 26 Sep 2024 10:18:58 +0000 Subject: [PATCH 05/37] fix tests and gen typescripts --- test/pnpm-lock.yaml | 2 +- .../test-precompile-democracy.ts | 15 +- .../test-referenda/test-referenda-submit.ts | 4 +- .../test-staking/test-candidate-force-join.ts | 2 +- .../test-staking/test-parachain-bond.ts | 26 +- .../dev/moonbase/test-sudo/test-sudo.ts | 32 +- test/suites/smoke/test-staking-rewards.ts | 97 +- typescript-api/package.json | 2 +- .../moonbase/interfaces/augment-api-consts.ts | 3 +- .../moonbase/interfaces/augment-api-errors.ts | 1 + .../moonbase/interfaces/augment-api-events.ts | 37 +- .../moonbase/interfaces/augment-api-query.ts | 15 +- .../src/moonbase/interfaces/augment-api-tx.ts | 17 +- .../src/moonbase/interfaces/lookup.ts | 779 +++++++------- .../src/moonbase/interfaces/registry.ts | 4 +- .../src/moonbase/interfaces/types-lookup.ts | 768 +++++++------- .../moonbeam/interfaces/augment-api-consts.ts | 3 +- .../moonbeam/interfaces/augment-api-errors.ts | 45 + .../moonbeam/interfaces/augment-api-events.ts | 111 +- .../moonbeam/interfaces/augment-api-query.ts | 89 +- .../src/moonbeam/interfaces/augment-api-tx.ts | 131 ++- .../src/moonbeam/interfaces/empty/index.ts | 4 + .../src/moonbeam/interfaces/empty/types.ts | 4 + .../src/moonbeam/interfaces/lookup.ts | 924 +++++++++------- .../src/moonbeam/interfaces/registry.ts | 32 +- .../src/moonbeam/interfaces/types-lookup.ts | 992 +++++++++++------- .../src/moonbeam/interfaces/types.ts | 2 +- .../interfaces/augment-api-consts.ts | 3 +- .../interfaces/augment-api-errors.ts | 45 + .../interfaces/augment-api-events.ts | 111 +- .../moonriver/interfaces/augment-api-query.ts | 89 +- .../moonriver/interfaces/augment-api-tx.ts | 131 ++- .../src/moonriver/interfaces/empty/index.ts | 4 + .../src/moonriver/interfaces/empty/types.ts | 4 + .../src/moonriver/interfaces/lookup.ts | 924 +++++++++------- .../src/moonriver/interfaces/registry.ts | 32 +- .../src/moonriver/interfaces/types-lookup.ts | 992 +++++++++++------- .../src/moonriver/interfaces/types.ts | 2 +- 38 files changed, 3916 insertions(+), 2562 deletions(-) create mode 100644 typescript-api/src/moonbeam/interfaces/empty/index.ts create mode 100644 typescript-api/src/moonbeam/interfaces/empty/types.ts create mode 100644 typescript-api/src/moonriver/interfaces/empty/index.ts create mode 100644 typescript-api/src/moonriver/interfaces/empty/types.ts diff --git a/test/pnpm-lock.yaml b/test/pnpm-lock.yaml index 88f9a59acb..2a449bbd97 100644 --- a/test/pnpm-lock.yaml +++ b/test/pnpm-lock.yaml @@ -13,7 +13,7 @@ importers: version: 0.12.2(bufferutil@4.0.8)(debug@4.3.5)(ts-node@10.9.2(@types/node@22.5.5)(typescript@5.6.2))(utf-8-validate@5.0.10) '@moonbeam-network/api-augment': specifier: 0.2902.0 - version: 0.2902.0 + version: link:../typescript-api '@moonwall/cli': specifier: 5.3.3 version: 5.3.3(@acala-network/chopsticks@0.12.2(bufferutil@4.0.8)(debug@4.3.5)(ts-node@10.9.2(@types/node@22.5.5)(typescript@5.6.2))(utf-8-validate@5.0.10))(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@types/node@22.5.5)(@vitest/ui@2.0.1(vitest@2.0.1))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.0.1(@types/node@22.5.5)(@vitest/ui@2.0.1)(jsdom@25.0.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8) diff --git a/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts b/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts index d32f9bb422..06533493d2 100644 --- a/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts +++ b/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts @@ -26,10 +26,13 @@ describeSuite({ id: "T02", title: "should check initial state - 0x0 ParachainBondAccount", test: async function () { - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.account.toString()).to.equal(ZERO_ADDRESS); + .query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].account.toString()).to.equal(ZERO_ADDRESS); + expect(inflationDistributionConfig[0].percent).to.equal(30); + expect(inflationDistributionConfig[1].account.toString()).to.equal(ZERO_ADDRESS); + expect(inflationDistributionConfig[1].percent).to.equal(0); }, }); @@ -43,9 +46,9 @@ describeSuite({ .polkadotJs() .tx.system.remark( "This is a democracy motion for a Revised Grant Program Proposal. " + - "The full details of the proposal can be found at " + - "https://github.com/moonbeam-foundation/grants/blob/" + - "c3cd29629059c61ed8a4c5e9ecd253d5554ff940/revised/revised_grant_program.md" + "The full details of the proposal can be found at " + + "https://github.com/moonbeam-foundation/grants/blob/" + + "c3cd29629059c61ed8a4c5e9ecd253d5554ff940/revised/revised_grant_program.md" ) ); diff --git a/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts b/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts index 34be786655..a7121982b1 100644 --- a/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts +++ b/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts @@ -77,8 +77,8 @@ describeSuite({ expect(finishedReferendum.isOngoing, "Still ongoing").to.be.false; expect(finishedReferendum.isTimedOut, "Timed out").to.be.false; - const parachainBondInfo = await context.pjsApi.query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.account.toString()).toBe(randomAddress); + const inflationDistributionConfig = await context.pjsApi.query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].account.toString()).toBe(randomAddress); }, }); diff --git a/test/suites/dev/moonbase/test-staking/test-candidate-force-join.ts b/test/suites/dev/moonbase/test-staking/test-candidate-force-join.ts index 597c717eea..7c201e2944 100644 --- a/test/suites/dev/moonbase/test-staking/test-candidate-force-join.ts +++ b/test/suites/dev/moonbase/test-staking/test-candidate-force-join.ts @@ -69,7 +69,7 @@ describeSuite({ const event = events.find((event) => { const module = event.event.data[0].toPrimitive().err?.module; const parachainStaking = 12; - const tooLowCandidateCountWeightHintJoinCandidates = "0x1b000000"; + const tooLowCandidateCountWeightHintJoinCandidates = "0x1c000000"; return ( module?.index === parachainStaking && module?.error === tooLowCandidateCountWeightHintJoinCandidates diff --git a/test/suites/dev/moonbase/test-staking/test-parachain-bond.ts b/test/suites/dev/moonbase/test-staking/test-parachain-bond.ts index 4b35a6c52b..1d08fd07ab 100644 --- a/test/suites/dev/moonbase/test-staking/test-parachain-bond.ts +++ b/test/suites/dev/moonbase/test-staking/test-parachain-bond.ts @@ -13,11 +13,15 @@ describeSuite({ id: "T01", title: "should be initialized at address zero", test: async function () { - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.account.toString()).to.equal(ZERO_ADDRESS); - expect(parachainBondInfo.percent.toNumber()).to.equal(30); + .query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].account.toString()).to.equal(ZERO_ADDRESS); + expect(inflationDistributionConfig[0].percent.toNumber()).to.equal(30); + + // Treasury account + expect(inflationDistributionConfig[1].account.toString()).to.equal(ZERO_ADDRESS); + expect(inflationDistributionConfig[1].percent.toNumber()).to.equal(0); }, }); @@ -35,11 +39,11 @@ describeSuite({ ); expect(result!.successful).to.be.true; - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.account.toString()).to.equal(alith.address); - expect(parachainBondInfo.percent.toNumber()).to.equal(30); + .query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].account.toString()).to.equal(alith.address); + expect(inflationDistributionConfig[0].percent.toNumber()).to.equal(30); }, }); @@ -72,10 +76,10 @@ describeSuite({ ); expect(result!.successful).to.be.true; - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.percent.toBigInt()).to.equal(20n); + .query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].percent.toBigInt()).to.equal(20n); }, }); diff --git a/test/suites/dev/moonbase/test-sudo/test-sudo.ts b/test/suites/dev/moonbase/test-sudo/test-sudo.ts index 54620d1098..6c058112f5 100644 --- a/test/suites/dev/moonbase/test-sudo/test-sudo.ts +++ b/test/suites/dev/moonbase/test-sudo/test-sudo.ts @@ -26,18 +26,18 @@ describeSuite({ context.polkadotJs().tx.parachainStaking.setParachainBondAccount(alith.address) ) ); - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); + .query.parachainStaking.inflationDistributionInfo(); - expect(parachainBondInfo.account.toString()).to.equal(alith.address); - expect(parachainBondInfo.percent.toNumber()).to.equal(30); + expect(inflationDistributionConfig[0].account.toString()).to.equal(alith.address); + expect(inflationDistributionConfig[0].percent.toNumber()).to.equal(30); expect(result!.events.length).to.eq(6); expect( context .polkadotJs() - .events.parachainStaking.ParachainBondAccountSet.is(result!.events[1].event) + .events.parachainStaking.InflationDistributionConfigUpdated.is(result!.events[1].event) ).to.be.true; expect(context.polkadotJs().events.balances.Deposit.is(result!.events[3].event)).to.be.true; expect(context.polkadotJs().events.system.ExtrinsicSuccess.is(result!.events[5].event)).to @@ -71,8 +71,8 @@ describeSuite({ title: "should NOT be able to call sudo with another account than sudo account", test: async function () { const parachainBondAccount = ( - await context.polkadotJs().query.parachainStaking.parachainBondInfo() - ).account.toString(); + await context.polkadotJs().query.parachainStaking.inflationDistributionInfo() + )[0].account.toString(); const { result } = await context.createBlock( context @@ -86,11 +86,11 @@ describeSuite({ { allowFailures: true } ); - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.account.toString()).to.equal(parachainBondAccount); - expect(parachainBondInfo.percent.toNumber()).to.equal(30); + .query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].account.toString()).to.equal(parachainBondAccount); + expect(inflationDistributionConfig[0].percent.toNumber()).to.equal(30); expect(result!.events.length === 7).to.be.true; expect(context.polkadotJs().events.system.NewAccount.is(result!.events[2].event)).to.be @@ -114,8 +114,8 @@ describeSuite({ test: async function () { const newSigner = generateKeyringPair(); const parachainBondAccount = ( - await context.polkadotJs().query.parachainStaking.parachainBondInfo() - ).account.toString(); + await context.polkadotJs().query.parachainStaking.inflationDistributionInfo() + )[0].account.toString(); await context.createBlock(context.polkadotJs().tx.sudo.setKey(newSigner.address), { allowFailures: false, @@ -139,10 +139,10 @@ describeSuite({ "1010: Invalid Transaction: Inability to pay some fees , e.g. account balance too low" ); - const parachainBondInfo = await context + const inflationDistributionConfig = await context .polkadotJs() - .query.parachainStaking.parachainBondInfo(); - expect(parachainBondInfo.account.toString()).to.equal(parachainBondAccount); + .query.parachainStaking.inflationDistributionInfo(); + expect(inflationDistributionConfig[0].account.toString()).to.equal(parachainBondAccount); }, }); }, diff --git a/test/suites/smoke/test-staking-rewards.ts b/test/suites/smoke/test-staking-rewards.ts index b90386f22e..cbfd190fe4 100644 --- a/test/suites/smoke/test-staking-rewards.ts +++ b/test/suites/smoke/test-staking-rewards.ts @@ -181,22 +181,22 @@ describeSuite({ scheduledRequest === undefined ? delegationAmount : scheduledRequest.action.isDecrease - ? delegationAmount.sub(scheduledRequest.action.asDecrease) - : scheduledRequest.action.isRevoke - ? delegationAmount.sub(scheduledRequest.action.asRevoke) - : delegationAmount; + ? delegationAmount.sub(scheduledRequest.action.asDecrease) + : scheduledRequest.action.isRevoke + ? delegationAmount.sub(scheduledRequest.action.asRevoke) + : delegationAmount; const match = expected.eq(delegatorSnapshot.amount); if (!match) { log( "Snapshot amount " + - delegatorSnapshot.amount.toString() + - " does not match storage amount " + - delegationAmount.toString() + - " for delegator: " + - delegatorSnapshot.owner.toString() + - " on candidate: " + - accountId.toString() + delegatorSnapshot.amount.toString() + + " does not match storage amount " + + delegationAmount.toString() + + " for delegator: " + + delegatorSnapshot.owner.toString() + + " on candidate: " + + accountId.toString() ); } return { @@ -233,10 +233,10 @@ describeSuite({ const estimatedTime = ((delegationCount + atStakeSnapshot.length) / 600).toFixed(2); log( "With a count of " + - delegationCount + - " delegations, this may take upto " + - estimatedTime + - " mins." + delegationCount + + " delegations, this may take upto " + + estimatedTime + + " mins." ); const results = await Promise.all(promises); @@ -283,13 +283,13 @@ describeSuite({ if (!match) { log( "Snapshot autocompound " + - delegatorSnapshot.autoCompound.toString() + - "% does not match storage autocompound " + - autoCompoundAmount.toString() + - "% for delegator: " + - delegatorSnapshot.owner.toString() + - " on candidate: " + - collatorId.toString() + delegatorSnapshot.autoCompound.toString() + + "% does not match storage autocompound " + + autoCompoundAmount.toString() + + "% for delegator: " + + delegatorSnapshot.owner.toString() + + " on candidate: " + + collatorId.toString() ); } return { @@ -438,27 +438,27 @@ describeSuite({ log( ` latest ${latestRound.current.toString()} ` + - `(${latestBlockNumber} / ${latestBlockHash.toHex()}) + `(${latestBlockNumber} / ${latestBlockHash.toHex()}) rewarded round ${payment.rewardRound.data.current.toString()} - ` + - `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} + `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} reward: #${payment.firstRewardBlock.header.number.toString()} / ` + - `[${payment.firstRewardBlock.header.hash.toHex()}] + `[${payment.firstRewardBlock.header.hash.toHex()}] first: #${payment.rewardRound.firstBlock.header.number.toString()} / ` + - `[${payment.rewardRound.firstBlock.header.hash.toHex()}] + `[${payment.rewardRound.firstBlock.header.hash.toHex()}] prior: #${payment.rewardRound.priorBlock.header.number.toString()} / ` + - `[${payment.rewardRound.priorBlock.header.hash.toHex()}] + `[${payment.rewardRound.priorBlock.header.hash.toHex()}] delayed payout computation round ${payment.delayedPayoutRound.data.current.toString()} - ` + - `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} + `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} first: #${payment.delayedPayoutRound.firstBlock.header.number.toString()} / ` + - `[${payment.delayedPayoutRound.firstBlock.header.hash.toHex()}] + `[${payment.delayedPayoutRound.firstBlock.header.hash.toHex()}] prior: #${payment.delayedPayoutRound.priorBlock.header.number.toString()} / ` + - `[${payment.delayedPayoutRound.priorBlock.header.hash.toHex()}] + `[${payment.delayedPayoutRound.priorBlock.header.hash.toHex()}] round to pay ${payment.roundToPay.data.current.toString()} - ` + - `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} + `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} first: #${payment.roundToPay.firstBlock.header.number.toString()} / ` + - `[${payment.roundToPay.firstBlock.header.hash.toHex()}] + `[${payment.roundToPay.firstBlock.header.hash.toHex()}] prior: #${payment.roundToPay.priorBlock.header.number.toString()} / ` + - `[${payment.roundToPay.priorBlock.header.hash.toHex()}]` + `[${payment.roundToPay.priorBlock.header.hash.toHex()}]` ); // collect info about staked value from collators and delegators @@ -535,7 +535,7 @@ describeSuite({ if (!Object.keys(collatorInfo.delegators).includes(topDelegation)) { throw new Error( `${topDelegation} is missing from collatorInfo ` + - `for round ${payment.roundToPay.data.current.toString()}` + `for round ${payment.roundToPay.data.current.toString()}` ); } } @@ -543,7 +543,7 @@ describeSuite({ if (!topDelegations.has(delegator as any)) { throw new Error( `${delegator} is missing from topDelegations for round` + - ` ${payment.roundToPay.data.current.toString()}` + ` ${payment.roundToPay.data.current.toString()}` ); } } @@ -625,15 +625,20 @@ describeSuite({ } } - const parachainBondInfo = - await payment.rewardRound.priorBlockApi.query.parachainStaking.parachainBondInfo(); + const inflationDistributionConfig = + await payment.rewardRound.priorBlockApi.query.parachainStaking.inflationDistributionInfo(); const totalPoints = await payment.rewardRound.priorBlockApi.query.parachainStaking.points( payment.roundToPay.data.current ); - const parachainBondPercent = new Percent(parachainBondInfo.percent); + + let percentage = 0; + inflationDistributionConfig.forEach((config) => { + percentage += config.percent.toNumber(); + }); + const reservedPercentage = new Percent(percentage); // total expected staking reward minus the amount reserved for parachain bond const totalStakingReward = (() => { - const parachainBondReward = parachainBondPercent.of(totalRoundIssuance); + const parachainBondReward = reservedPercentage.of(totalRoundIssuance); if (!reservedForParachainBond.isZero()) { expect( parachainBondReward.eq(reservedForParachainBond), @@ -652,7 +657,7 @@ describeSuite({ paidRoundNumber ${payment.roundToPay.data.current.toString()} totalRoundIssuance ${totalRoundIssuance.toString()} reservedForParachainBond ${reservedForParachainBond} \ - (${parachainBondPercent} * totalRoundIssuance) + (${reservedPercentage} * totalRoundIssuance) totalCollatorCommissionReward ${totalCollatorCommissionReward.toString()} \ (${collatorCommissionRate} * totalRoundIssuance) totalStakingReward ${totalStakingReward} \ @@ -776,16 +781,14 @@ describeSuite({ ); expect( notRewarded, - `delegators "${[...notRewarded].join(", ")}" were not rewarded for collator "${ - rewarded.collator + `delegators "${[...notRewarded].join(", ")}" were not rewarded for collator "${rewarded.collator }" at block ${blockNumber}` ).to.be.empty; expect( unexpectedlyRewarded, `delegators "${[...unexpectedlyRewarded].join( ", " - )}" were unexpectedly rewarded for collator "${ - rewarded.collator + )}" were unexpectedly rewarded for collator "${rewarded.collator }" at block ${blockNumber}` ).to.be.empty; @@ -810,16 +813,14 @@ describeSuite({ notAutoCompounded, `delegators "${[...notAutoCompounded].join( ", " - )}" were not auto-compounded for collator "${ - rewarded.collator + )}" were not auto-compounded for collator "${rewarded.collator }" at block ${blockNumber}` ).to.be.empty; expect( unexpectedlyAutoCompounded, `delegators "${[...unexpectedlyAutoCompounded].join( ", " - )}" were unexpectedly auto-compounded for collator "${ - rewarded.collator + )}" were unexpectedly auto-compounded for collator "${rewarded.collator }" at block ${blockNumber}` ).to.be.empty; } diff --git a/typescript-api/package.json b/typescript-api/package.json index 4ea010dd80..b195e66f63 100644 --- a/typescript-api/package.json +++ b/typescript-api/package.json @@ -1,6 +1,6 @@ { "name": "@moonbeam-network/api-augment", - "version": "0.3200.0", + "version": "0.3300.0", "type": "module", "description": "Moonbeam types augment for @polkadot/api", "author": "Moonsong Labs", diff --git a/typescript-api/src/moonbase/interfaces/augment-api-consts.ts b/typescript-api/src/moonbase/interfaces/augment-api-consts.ts index f86b6651e7..8aa1f678ef 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-consts.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-consts.ts @@ -298,8 +298,7 @@ declare module "@polkadot/api-base/types/consts" { * * This is held for adding 32 bytes plus an instance of `ProxyType` more into a pre-existing * storage value. Thus, when configuring `ProxyDepositFactor` one should take into account `32 - * - * - Proxy_type.encode().len()` bytes of data. + * + proxy_type.encode().len()` bytes of data. */ proxyDepositFactor: u128 & AugmentedConst; /** Generic const */ diff --git a/typescript-api/src/moonbase/interfaces/augment-api-errors.ts b/typescript-api/src/moonbase/interfaces/augment-api-errors.ts index 9cf8f6d30e..bb8e635abb 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-errors.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-errors.ts @@ -537,6 +537,7 @@ declare module "@polkadot/api-base/types/errors" { TooLowDelegationCountToAutoCompound: AugmentedError; TooLowDelegationCountToDelegate: AugmentedError; TooLowDelegationCountToLeaveDelegators: AugmentedError; + TotalInflationDistributionPercentExceeds100: AugmentedError; /** Generic error */ [key: string]: AugmentedError; }; diff --git a/typescript-api/src/moonbase/interfaces/augment-api-events.ts b/typescript-api/src/moonbase/interfaces/augment-api-events.ts index fd6dc73e2f..642275e84f 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-events.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-events.ts @@ -12,6 +12,7 @@ import type { Option, Result, U8aFixed, + Vec, bool, u128, u16, @@ -40,6 +41,7 @@ import type { PalletMultisigTimepoint, PalletParachainStakingDelegationRequestsCancelledScheduledRequest, PalletParachainStakingDelegatorAdded, + PalletParachainStakingInflationDistributionAccount, PalletXcmTransactorHrmpOperation, PalletXcmTransactorRemoteTransactInfoWithMaxWeight, SessionKeysPrimitivesVrfVrfCryptoPublic, @@ -1145,6 +1147,23 @@ declare module "@polkadot/api-base/types/events" { totalCandidateStaked: u128; } >; + /** Transferred to account which holds funds reserved for parachain bond. */ + InflationDistributed: AugmentedEvent< + ApiType, + [index: u32, account: AccountId20, value: u128], + { index: u32; account: AccountId20; value: u128 } + >; + InflationDistributionConfigUpdated: AugmentedEvent< + ApiType, + [ + old: Vec, + new_: Vec + ], + { + old: Vec; + new_: Vec; + } + >; /** Annual inflation input (first 3) was used to derive new per-round inflation (last 3) */ InflationSet: AugmentedEvent< ApiType, @@ -1177,24 +1196,6 @@ declare module "@polkadot/api-base/types/events" { [startingBlock: u32, round: u32, selectedCollatorsNumber: u32, totalBalance: u128], { startingBlock: u32; round: u32; selectedCollatorsNumber: u32; totalBalance: u128 } >; - /** Account (re)set for parachain bond treasury. */ - ParachainBondAccountSet: AugmentedEvent< - ApiType, - [old: AccountId20, new_: AccountId20], - { old: AccountId20; new_: AccountId20 } - >; - /** Percent of inflation reserved for parachain bond (re)set. */ - ParachainBondReservePercentSet: AugmentedEvent< - ApiType, - [old: Percent, new_: Percent], - { old: Percent; new_: Percent } - >; - /** Transferred to account which holds funds reserved for parachain bond. */ - ReservedForParachainBond: AugmentedEvent< - ApiType, - [account: AccountId20, value: u128], - { account: AccountId20; value: u128 } - >; /** Paid the account (delegator or collator) the balance as liquid rewards. */ Rewarded: AugmentedEvent< ApiType, diff --git a/typescript-api/src/moonbase/interfaces/augment-api-query.ts b/typescript-api/src/moonbase/interfaces/augment-api-query.ts index f726e29e12..51dc1fdbbd 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-query.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-query.ts @@ -85,8 +85,8 @@ import type { PalletParachainStakingDelegationRequestsScheduledRequest, PalletParachainStakingDelegations, PalletParachainStakingDelegator, + PalletParachainStakingInflationDistributionAccount, PalletParachainStakingInflationInflationInfo, - PalletParachainStakingParachainBondConfig, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, PalletPreimageOldRequestStatus, @@ -907,10 +907,17 @@ declare module "@polkadot/api-base/types/storage" { [] > & QueryableStorageEntry; - /** Parachain bond config info { account, percent_of_inflation } */ - parachainBondInfo: AugmentedQuery< + /** + * Inflation distribution configuration, including accounts that should receive inflation + * before it is distributed to collators and delegators. + * + * The sum of the distribution percents must be less than or equal to 100. + * + * The first config is related to the parachain bond account, the second to the treasury account. + */ + inflationDistributionInfo: AugmentedQuery< ApiType, - () => Observable, + () => Observable>, [] > & QueryableStorageEntry; diff --git a/typescript-api/src/moonbase/interfaces/augment-api-tx.ts b/typescript-api/src/moonbase/interfaces/augment-api-tx.ts index 2a1a834493..503b1d8fdb 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-tx.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-tx.ts @@ -2558,12 +2558,25 @@ declare module "@polkadot/api-base/types/submittable" { } & Struct ] >; - /** Set the account that will hold funds set aside for parachain bond */ + /** Set the percent of inflation set aside for parachain bond */ + setInflationDistributionConfig: AugmentedSubmittable< + (updated: Vec) => SubmittableExtrinsic, + [Vec] + >; + /** + * Deprecated: please use `set_inflation_distribution_config` instead. + * + * Set the account that will hold funds set aside for parachain bond + */ setParachainBondAccount: AugmentedSubmittable< (updated: AccountId20 | string | Uint8Array) => SubmittableExtrinsic, [AccountId20] >; - /** Set the percent of inflation set aside for parachain bond */ + /** + * Deprecated: please use `set_inflation_distribution_config` instead. + * + * Set the percent of inflation set aside for parachain bond + */ setParachainBondReservePercent: AugmentedSubmittable< (updated: Percent | AnyNumber | Uint8Array) => SubmittableExtrinsic, [Percent] diff --git a/typescript-api/src/moonbase/interfaces/lookup.ts b/typescript-api/src/moonbase/interfaces/lookup.ts index 6c27487d28..3048ab7b08 100644 --- a/typescript-api/src/moonbase/interfaces/lookup.ts +++ b/typescript-api/src/moonbase/interfaces/lookup.ts @@ -523,23 +523,17 @@ export default { account: "AccountId20", rewards: "u128", }, - ReservedForParachainBond: { + InflationDistributed: { + index: "u32", account: "AccountId20", value: "u128", }, - ParachainBondAccountSet: { + InflationDistributionConfigUpdated: { _alias: { new_: "new", }, - old: "AccountId20", - new_: "AccountId20", - }, - ParachainBondReservePercentSet: { - _alias: { - new_: "new", - }, - old: "Percent", - new_: "Percent", + old: "[Lookup61;2]", + new_: "[Lookup61;2]", }, InflationSet: { annualMin: "Perbill", @@ -613,7 +607,15 @@ export default { AddedToBottom: "Null", }, }, - /** Lookup61: pallet_scheduler::pallet::Event */ + /** + * Lookup61: + * pallet_parachain_staking::types::InflationDistributionAccount[account::AccountId20](account::AccountId20) + */ + PalletParachainStakingInflationDistributionAccount: { + account: "AccountId20", + percent: "Percent", + }, + /** Lookup63: pallet_scheduler::pallet::Event */ PalletSchedulerEvent: { _enum: { Scheduled: { @@ -657,7 +659,7 @@ export default { }, }, }, - /** Lookup63: pallet_treasury::pallet::Event */ + /** Lookup65: pallet_treasury::pallet::Event */ PalletTreasuryEvent: { _enum: { Proposed: { @@ -717,13 +719,13 @@ export default { }, }, }, - /** Lookup64: pallet_author_slot_filter::pallet::Event */ + /** Lookup66: pallet_author_slot_filter::pallet::Event */ PalletAuthorSlotFilterEvent: { _enum: { EligibleUpdated: "u32", }, }, - /** Lookup66: pallet_crowdloan_rewards::pallet::Event */ + /** Lookup68: pallet_crowdloan_rewards::pallet::Event */ PalletCrowdloanRewardsEvent: { _enum: { InitialPaymentMade: "(AccountId20,u128)", @@ -734,7 +736,7 @@ export default { InitializedAccountWithNotEnoughContribution: "([u8;32],Option,u128)", }, }, - /** Lookup67: pallet_author_mapping::pallet::Event */ + /** Lookup69: pallet_author_mapping::pallet::Event */ PalletAuthorMappingEvent: { _enum: { KeysRegistered: { @@ -760,11 +762,11 @@ export default { }, }, }, - /** Lookup68: nimbus_primitives::nimbus_crypto::Public */ + /** Lookup70: nimbus_primitives::nimbus_crypto::Public */ NimbusPrimitivesNimbusCryptoPublic: "[u8;32]", - /** Lookup69: session_keys_primitives::vrf::vrf_crypto::Public */ + /** Lookup71: session_keys_primitives::vrf::vrf_crypto::Public */ SessionKeysPrimitivesVrfVrfCryptoPublic: "[u8;32]", - /** Lookup70: pallet_proxy::pallet::Event */ + /** Lookup72: pallet_proxy::pallet::Event */ PalletProxyEvent: { _enum: { ProxyExecuted: { @@ -795,7 +797,7 @@ export default { }, }, }, - /** Lookup71: moonbase_runtime::ProxyType */ + /** Lookup73: moonbase_runtime::ProxyType */ MoonbaseRuntimeProxyType: { _enum: [ "Any", @@ -808,7 +810,7 @@ export default { "IdentityJudgement", ], }, - /** Lookup73: pallet_maintenance_mode::pallet::Event */ + /** Lookup75: pallet_maintenance_mode::pallet::Event */ PalletMaintenanceModeEvent: { _enum: { EnteredMaintenanceMode: "Null", @@ -821,7 +823,7 @@ export default { }, }, }, - /** Lookup74: pallet_identity::pallet::Event */ + /** Lookup76: pallet_identity::pallet::Event */ PalletIdentityEvent: { _enum: { IdentitySet: { @@ -893,7 +895,7 @@ export default { }, }, }, - /** Lookup76: cumulus_pallet_xcmp_queue::pallet::Event */ + /** Lookup78: cumulus_pallet_xcmp_queue::pallet::Event */ CumulusPalletXcmpQueueEvent: { _enum: { XcmpMessageSent: { @@ -901,7 +903,7 @@ export default { }, }, }, - /** Lookup77: cumulus_pallet_xcm::pallet::Event */ + /** Lookup79: cumulus_pallet_xcm::pallet::Event */ CumulusPalletXcmEvent: { _enum: { InvalidFormat: "[u8;32]", @@ -909,7 +911,7 @@ export default { ExecutedDownward: "([u8;32],StagingXcmV4TraitsOutcome)", }, }, - /** Lookup78: staging_xcm::v4::traits::Outcome */ + /** Lookup80: staging_xcm::v4::traits::Outcome */ StagingXcmV4TraitsOutcome: { _enum: { Complete: { @@ -924,7 +926,7 @@ export default { }, }, }, - /** Lookup79: xcm::v3::traits::Error */ + /** Lookup81: xcm::v3::traits::Error */ XcmV3TraitsError: { _enum: { Overflow: "Null", @@ -969,7 +971,7 @@ export default { ExceedsStackLimit: "Null", }, }, - /** Lookup80: cumulus_pallet_dmp_queue::pallet::Event */ + /** Lookup82: cumulus_pallet_dmp_queue::pallet::Event */ CumulusPalletDmpQueueEvent: { _enum: { StartedExport: "Null", @@ -997,7 +999,7 @@ export default { }, }, }, - /** Lookup81: pallet_xcm::pallet::Event */ + /** Lookup83: pallet_xcm::pallet::Event */ PalletXcmEvent: { _enum: { Attempted: { @@ -1120,26 +1122,26 @@ export default { }, }, }, - /** Lookup82: staging_xcm::v4::location::Location */ + /** Lookup84: staging_xcm::v4::location::Location */ StagingXcmV4Location: { parents: "u8", interior: "StagingXcmV4Junctions", }, - /** Lookup83: staging_xcm::v4::junctions::Junctions */ + /** Lookup85: staging_xcm::v4::junctions::Junctions */ StagingXcmV4Junctions: { _enum: { Here: "Null", - X1: "[Lookup85;1]", - X2: "[Lookup85;2]", - X3: "[Lookup85;3]", - X4: "[Lookup85;4]", - X5: "[Lookup85;5]", - X6: "[Lookup85;6]", - X7: "[Lookup85;7]", - X8: "[Lookup85;8]", + X1: "[Lookup87;1]", + X2: "[Lookup87;2]", + X3: "[Lookup87;3]", + X4: "[Lookup87;4]", + X5: "[Lookup87;5]", + X6: "[Lookup87;6]", + X7: "[Lookup87;7]", + X8: "[Lookup87;8]", }, }, - /** Lookup85: staging_xcm::v4::junction::Junction */ + /** Lookup87: staging_xcm::v4::junction::Junction */ StagingXcmV4Junction: { _enum: { Parachain: "Compact", @@ -1169,7 +1171,7 @@ export default { GlobalConsensus: "StagingXcmV4JunctionNetworkId", }, }, - /** Lookup88: staging_xcm::v4::junction::NetworkId */ + /** Lookup90: staging_xcm::v4::junction::NetworkId */ StagingXcmV4JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1190,7 +1192,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup90: xcm::v3::junction::BodyId */ + /** Lookup92: xcm::v3::junction::BodyId */ XcmV3JunctionBodyId: { _enum: { Unit: "Null", @@ -1205,7 +1207,7 @@ export default { Treasury: "Null", }, }, - /** Lookup91: xcm::v3::junction::BodyPart */ + /** Lookup93: xcm::v3::junction::BodyPart */ XcmV3JunctionBodyPart: { _enum: { Voice: "Null", @@ -1226,9 +1228,9 @@ export default { }, }, }, - /** Lookup99: staging_xcm::v4::Xcm */ + /** Lookup101: staging_xcm::v4::Xcm */ StagingXcmV4Xcm: "Vec", - /** Lookup101: staging_xcm::v4::Instruction */ + /** Lookup103: staging_xcm::v4::Instruction */ StagingXcmV4Instruction: { _enum: { WithdrawAsset: "StagingXcmV4AssetAssets", @@ -1368,23 +1370,23 @@ export default { }, }, }, - /** Lookup102: staging_xcm::v4::asset::Assets */ + /** Lookup104: staging_xcm::v4::asset::Assets */ StagingXcmV4AssetAssets: "Vec", - /** Lookup104: staging_xcm::v4::asset::Asset */ + /** Lookup106: staging_xcm::v4::asset::Asset */ StagingXcmV4Asset: { id: "StagingXcmV4AssetAssetId", fun: "StagingXcmV4AssetFungibility", }, - /** Lookup105: staging_xcm::v4::asset::AssetId */ + /** Lookup107: staging_xcm::v4::asset::AssetId */ StagingXcmV4AssetAssetId: "StagingXcmV4Location", - /** Lookup106: staging_xcm::v4::asset::Fungibility */ + /** Lookup108: staging_xcm::v4::asset::Fungibility */ StagingXcmV4AssetFungibility: { _enum: { Fungible: "Compact", NonFungible: "StagingXcmV4AssetAssetInstance", }, }, - /** Lookup107: staging_xcm::v4::asset::AssetInstance */ + /** Lookup109: staging_xcm::v4::asset::AssetInstance */ StagingXcmV4AssetAssetInstance: { _enum: { Undefined: "Null", @@ -1395,7 +1397,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup110: staging_xcm::v4::Response */ + /** Lookup112: staging_xcm::v4::Response */ StagingXcmV4Response: { _enum: { Null: "Null", @@ -1406,7 +1408,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup114: staging_xcm::v4::PalletInfo */ + /** Lookup116: staging_xcm::v4::PalletInfo */ StagingXcmV4PalletInfo: { index: "Compact", name: "Bytes", @@ -1415,7 +1417,7 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup117: xcm::v3::MaybeErrorCode */ + /** Lookup119: xcm::v3::MaybeErrorCode */ XcmV3MaybeErrorCode: { _enum: { Success: "Null", @@ -1423,28 +1425,28 @@ export default { TruncatedError: "Bytes", }, }, - /** Lookup120: xcm::v2::OriginKind */ + /** Lookup122: xcm::v2::OriginKind */ XcmV2OriginKind: { _enum: ["Native", "SovereignAccount", "Superuser", "Xcm"], }, - /** Lookup121: xcm::double_encoded::DoubleEncoded */ + /** Lookup123: xcm::double_encoded::DoubleEncoded */ XcmDoubleEncoded: { encoded: "Bytes", }, - /** Lookup122: staging_xcm::v4::QueryResponseInfo */ + /** Lookup124: staging_xcm::v4::QueryResponseInfo */ StagingXcmV4QueryResponseInfo: { destination: "StagingXcmV4Location", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup123: staging_xcm::v4::asset::AssetFilter */ + /** Lookup125: staging_xcm::v4::asset::AssetFilter */ StagingXcmV4AssetAssetFilter: { _enum: { Definite: "StagingXcmV4AssetAssets", Wild: "StagingXcmV4AssetWildAsset", }, }, - /** Lookup124: staging_xcm::v4::asset::WildAsset */ + /** Lookup126: staging_xcm::v4::asset::WildAsset */ StagingXcmV4AssetWildAsset: { _enum: { All: "Null", @@ -1460,18 +1462,18 @@ export default { }, }, }, - /** Lookup125: staging_xcm::v4::asset::WildFungibility */ + /** Lookup127: staging_xcm::v4::asset::WildFungibility */ StagingXcmV4AssetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup126: xcm::v3::WeightLimit */ + /** Lookup128: xcm::v3::WeightLimit */ XcmV3WeightLimit: { _enum: { Unlimited: "Null", Limited: "SpWeightsWeightV2Weight", }, }, - /** Lookup127: xcm::VersionedAssets */ + /** Lookup129: xcm::VersionedAssets */ XcmVersionedAssets: { _enum: { __Unused0: "Null", @@ -1481,26 +1483,26 @@ export default { V4: "StagingXcmV4AssetAssets", }, }, - /** Lookup128: xcm::v2::multiasset::MultiAssets */ + /** Lookup130: xcm::v2::multiasset::MultiAssets */ XcmV2MultiassetMultiAssets: "Vec", - /** Lookup130: xcm::v2::multiasset::MultiAsset */ + /** Lookup132: xcm::v2::multiasset::MultiAsset */ XcmV2MultiAsset: { id: "XcmV2MultiassetAssetId", fun: "XcmV2MultiassetFungibility", }, - /** Lookup131: xcm::v2::multiasset::AssetId */ + /** Lookup133: xcm::v2::multiasset::AssetId */ XcmV2MultiassetAssetId: { _enum: { Concrete: "XcmV2MultiLocation", Abstract: "Bytes", }, }, - /** Lookup132: xcm::v2::multilocation::MultiLocation */ + /** Lookup134: xcm::v2::multilocation::MultiLocation */ XcmV2MultiLocation: { parents: "u8", interior: "XcmV2MultilocationJunctions", }, - /** Lookup133: xcm::v2::multilocation::Junctions */ + /** Lookup135: xcm::v2::multilocation::Junctions */ XcmV2MultilocationJunctions: { _enum: { Here: "Null", @@ -1514,7 +1516,7 @@ export default { X8: "(XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction)", }, }, - /** Lookup134: xcm::v2::junction::Junction */ + /** Lookup136: xcm::v2::junction::Junction */ XcmV2Junction: { _enum: { Parachain: "Compact", @@ -1540,7 +1542,7 @@ export default { }, }, }, - /** Lookup135: xcm::v2::NetworkId */ + /** Lookup137: xcm::v2::NetworkId */ XcmV2NetworkId: { _enum: { Any: "Null", @@ -1549,7 +1551,7 @@ export default { Kusama: "Null", }, }, - /** Lookup137: xcm::v2::BodyId */ + /** Lookup139: xcm::v2::BodyId */ XcmV2BodyId: { _enum: { Unit: "Null", @@ -1564,7 +1566,7 @@ export default { Treasury: "Null", }, }, - /** Lookup138: xcm::v2::BodyPart */ + /** Lookup140: xcm::v2::BodyPart */ XcmV2BodyPart: { _enum: { Voice: "Null", @@ -1585,14 +1587,14 @@ export default { }, }, }, - /** Lookup139: xcm::v2::multiasset::Fungibility */ + /** Lookup141: xcm::v2::multiasset::Fungibility */ XcmV2MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV2MultiassetAssetInstance", }, }, - /** Lookup140: xcm::v2::multiasset::AssetInstance */ + /** Lookup142: xcm::v2::multiasset::AssetInstance */ XcmV2MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -1604,26 +1606,26 @@ export default { Blob: "Bytes", }, }, - /** Lookup141: xcm::v3::multiasset::MultiAssets */ + /** Lookup143: xcm::v3::multiasset::MultiAssets */ XcmV3MultiassetMultiAssets: "Vec", - /** Lookup143: xcm::v3::multiasset::MultiAsset */ + /** Lookup145: xcm::v3::multiasset::MultiAsset */ XcmV3MultiAsset: { id: "XcmV3MultiassetAssetId", fun: "XcmV3MultiassetFungibility", }, - /** Lookup144: xcm::v3::multiasset::AssetId */ + /** Lookup146: xcm::v3::multiasset::AssetId */ XcmV3MultiassetAssetId: { _enum: { Concrete: "StagingXcmV3MultiLocation", Abstract: "[u8;32]", }, }, - /** Lookup145: staging_xcm::v3::multilocation::MultiLocation */ + /** Lookup147: staging_xcm::v3::multilocation::MultiLocation */ StagingXcmV3MultiLocation: { parents: "u8", interior: "XcmV3Junctions", }, - /** Lookup146: xcm::v3::junctions::Junctions */ + /** Lookup148: xcm::v3::junctions::Junctions */ XcmV3Junctions: { _enum: { Here: "Null", @@ -1637,7 +1639,7 @@ export default { X8: "(XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction)", }, }, - /** Lookup147: xcm::v3::junction::Junction */ + /** Lookup149: xcm::v3::junction::Junction */ XcmV3Junction: { _enum: { Parachain: "Compact", @@ -1667,7 +1669,7 @@ export default { GlobalConsensus: "XcmV3JunctionNetworkId", }, }, - /** Lookup149: xcm::v3::junction::NetworkId */ + /** Lookup151: xcm::v3::junction::NetworkId */ XcmV3JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1688,14 +1690,14 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup150: xcm::v3::multiasset::Fungibility */ + /** Lookup152: xcm::v3::multiasset::Fungibility */ XcmV3MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV3MultiassetAssetInstance", }, }, - /** Lookup151: xcm::v3::multiasset::AssetInstance */ + /** Lookup153: xcm::v3::multiasset::AssetInstance */ XcmV3MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -1706,7 +1708,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup152: xcm::VersionedLocation */ + /** Lookup154: xcm::VersionedLocation */ XcmVersionedLocation: { _enum: { __Unused0: "Null", @@ -1716,7 +1718,7 @@ export default { V4: "StagingXcmV4Location", }, }, - /** Lookup153: pallet_assets::pallet::Event */ + /** Lookup155: pallet_assets::pallet::Event */ PalletAssetsEvent: { _enum: { Created: { @@ -1830,7 +1832,7 @@ export default { }, }, }, - /** Lookup154: orml_xtokens::module::Event */ + /** Lookup156: orml_xtokens::module::Event */ OrmlXtokensModuleEvent: { _enum: { TransferredAssets: { @@ -1841,7 +1843,7 @@ export default { }, }, }, - /** Lookup155: pallet_asset_manager::pallet::Event */ + /** Lookup157: pallet_asset_manager::pallet::Event */ PalletAssetManagerEvent: { _enum: { ForeignAssetRegistered: { @@ -1870,20 +1872,20 @@ export default { }, }, }, - /** Lookup156: moonbase_runtime::xcm_config::AssetType */ + /** Lookup158: moonbase_runtime::xcm_config::AssetType */ MoonbaseRuntimeXcmConfigAssetType: { _enum: { Xcm: "StagingXcmV3MultiLocation", }, }, - /** Lookup157: moonbase_runtime::asset_config::AssetRegistrarMetadata */ + /** Lookup159: moonbase_runtime::asset_config::AssetRegistrarMetadata */ MoonbaseRuntimeAssetConfigAssetRegistrarMetadata: { name: "Bytes", symbol: "Bytes", decimals: "u8", isFrozen: "bool", }, - /** Lookup158: pallet_migrations::pallet::Event */ + /** Lookup160: pallet_migrations::pallet::Event */ PalletMigrationsEvent: { _enum: { RuntimeUpgradeStarted: "Null", @@ -1905,7 +1907,7 @@ export default { }, }, }, - /** Lookup159: pallet_xcm_transactor::pallet::Event */ + /** Lookup161: pallet_xcm_transactor::pallet::Event */ PalletXcmTransactorEvent: { _enum: { TransactedDerivative: { @@ -1953,13 +1955,13 @@ export default { }, }, }, - /** Lookup160: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ + /** Lookup162: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ PalletXcmTransactorRemoteTransactInfoWithMaxWeight: { transactExtraWeight: "SpWeightsWeightV2Weight", maxWeight: "SpWeightsWeightV2Weight", transactExtraWeightSigned: "Option", }, - /** Lookup162: pallet_xcm_transactor::pallet::HrmpOperation */ + /** Lookup164: pallet_xcm_transactor::pallet::HrmpOperation */ PalletXcmTransactorHrmpOperation: { _enum: { InitOpen: "PalletXcmTransactorHrmpInitParams", @@ -1973,18 +1975,18 @@ export default { }, }, }, - /** Lookup163: pallet_xcm_transactor::pallet::HrmpInitParams */ + /** Lookup165: pallet_xcm_transactor::pallet::HrmpInitParams */ PalletXcmTransactorHrmpInitParams: { paraId: "u32", proposedMaxCapacity: "u32", proposedMaxMessageSize: "u32", }, - /** Lookup165: polkadot_parachain_primitives::primitives::HrmpChannelId */ + /** Lookup167: polkadot_parachain_primitives::primitives::HrmpChannelId */ PolkadotParachainPrimitivesPrimitivesHrmpChannelId: { sender: "u32", recipient: "u32", }, - /** Lookup166: pallet_moonbeam_orbiters::pallet::Event */ + /** Lookup168: pallet_moonbeam_orbiters::pallet::Event */ PalletMoonbeamOrbitersEvent: { _enum: { OrbiterJoinCollatorPool: { @@ -2013,7 +2015,7 @@ export default { }, }, }, - /** Lookup167: pallet_ethereum_xcm::pallet::Event */ + /** Lookup169: pallet_ethereum_xcm::pallet::Event */ PalletEthereumXcmEvent: { _enum: { ExecutedFromXcm: { @@ -2022,7 +2024,7 @@ export default { }, }, }, - /** Lookup168: pallet_randomness::pallet::Event */ + /** Lookup170: pallet_randomness::pallet::Event */ PalletRandomnessEvent: { _enum: { RandomnessRequestedBabeEpoch: { @@ -2057,7 +2059,7 @@ export default { }, }, }, - /** Lookup169: pallet_collective::pallet::Event */ + /** Lookup171: pallet_collective::pallet::Event */ PalletCollectiveEvent: { _enum: { Proposed: { @@ -2094,14 +2096,14 @@ export default { }, }, }, - /** Lookup170: pallet_conviction_voting::pallet::Event */ + /** Lookup172: pallet_conviction_voting::pallet::Event */ PalletConvictionVotingEvent: { _enum: { Delegated: "(AccountId20,AccountId20)", Undelegated: "AccountId20", }, }, - /** Lookup171: pallet_referenda::pallet::Event */ + /** Lookup173: pallet_referenda::pallet::Event */ PalletReferendaEvent: { _enum: { Submitted: { @@ -2180,7 +2182,7 @@ export default { }, }, /** - * Lookup172: frame_support::traits::preimages::Bounded */ FrameSupportPreimagesBounded: { @@ -2201,7 +2203,7 @@ export default { }, }, }, - /** Lookup174: frame_system::pallet::Call */ + /** Lookup176: frame_system::pallet::Call */ FrameSystemCall: { _enum: { remark: { @@ -2244,7 +2246,7 @@ export default { }, }, }, - /** Lookup178: pallet_utility::pallet::Call */ + /** Lookup180: pallet_utility::pallet::Call */ PalletUtilityCall: { _enum: { batch: { @@ -2270,7 +2272,7 @@ export default { }, }, }, - /** Lookup180: moonbase_runtime::OriginCaller */ + /** Lookup182: moonbase_runtime::OriginCaller */ MoonbaseRuntimeOriginCaller: { _enum: { system: "FrameSupportDispatchRawOrigin", @@ -2322,7 +2324,7 @@ export default { OpenTechCommitteeCollective: "PalletCollectiveRawOrigin", }, }, - /** Lookup181: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ + /** Lookup183: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ FrameSupportDispatchRawOrigin: { _enum: { Root: "Null", @@ -2330,33 +2332,33 @@ export default { None: "Null", }, }, - /** Lookup182: pallet_ethereum::RawOrigin */ + /** Lookup184: pallet_ethereum::RawOrigin */ PalletEthereumRawOrigin: { _enum: { EthereumTransaction: "H160", }, }, - /** Lookup183: cumulus_pallet_xcm::pallet::Origin */ + /** Lookup185: cumulus_pallet_xcm::pallet::Origin */ CumulusPalletXcmOrigin: { _enum: { Relay: "Null", SiblingParachain: "u32", }, }, - /** Lookup184: pallet_xcm::pallet::Origin */ + /** Lookup186: pallet_xcm::pallet::Origin */ PalletXcmOrigin: { _enum: { Xcm: "StagingXcmV4Location", Response: "StagingXcmV4Location", }, }, - /** Lookup185: pallet_ethereum_xcm::RawOrigin */ + /** Lookup187: pallet_ethereum_xcm::RawOrigin */ PalletEthereumXcmRawOrigin: { _enum: { XcmEthereumTransaction: "H160", }, }, - /** Lookup186: pallet_collective::RawOrigin */ + /** Lookup188: pallet_collective::RawOrigin */ PalletCollectiveRawOrigin: { _enum: { Members: "(u32,u32)", @@ -2364,7 +2366,7 @@ export default { _Phantom: "Null", }, }, - /** Lookup187: moonbase_runtime::governance::origins::custom_origins::Origin */ + /** Lookup189: moonbase_runtime::governance::origins::custom_origins::Origin */ MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin: { _enum: [ "WhitelistedCaller", @@ -2374,9 +2376,9 @@ export default { "FastGeneralAdmin", ], }, - /** Lookup189: sp_core::Void */ + /** Lookup191: sp_core::Void */ SpCoreVoid: "Null", - /** Lookup190: pallet_timestamp::pallet::Call */ + /** Lookup192: pallet_timestamp::pallet::Call */ PalletTimestampCall: { _enum: { set: { @@ -2384,7 +2386,7 @@ export default { }, }, }, - /** Lookup191: pallet_balances::pallet::Call */ + /** Lookup193: pallet_balances::pallet::Call */ PalletBalancesCall: { _enum: { transfer_allow_death: { @@ -2423,11 +2425,11 @@ export default { }, }, }, - /** Lookup193: pallet_balances::types::AdjustmentDirection */ + /** Lookup195: pallet_balances::types::AdjustmentDirection */ PalletBalancesAdjustmentDirection: { _enum: ["Increase", "Decrease"], }, - /** Lookup194: pallet_sudo::pallet::Call */ + /** Lookup196: pallet_sudo::pallet::Call */ PalletSudoCall: { _enum: { sudo: { @@ -2450,7 +2452,7 @@ export default { remove_key: "Null", }, }, - /** Lookup195: cumulus_pallet_parachain_system::pallet::Call */ + /** Lookup197: cumulus_pallet_parachain_system::pallet::Call */ CumulusPalletParachainSystemCall: { _enum: { set_validation_data: { @@ -2468,35 +2470,35 @@ export default { }, }, }, - /** Lookup196: cumulus_primitives_parachain_inherent::ParachainInherentData */ + /** Lookup198: cumulus_primitives_parachain_inherent::ParachainInherentData */ CumulusPrimitivesParachainInherentParachainInherentData: { validationData: "PolkadotPrimitivesV7PersistedValidationData", relayChainState: "SpTrieStorageProof", downwardMessages: "Vec", horizontalMessages: "BTreeMap>", }, - /** Lookup197: polkadot_primitives::v7::PersistedValidationData */ + /** Lookup199: polkadot_primitives::v7::PersistedValidationData */ PolkadotPrimitivesV7PersistedValidationData: { parentHead: "Bytes", relayParentNumber: "u32", relayParentStorageRoot: "H256", maxPovSize: "u32", }, - /** Lookup199: sp_trie::storage_proof::StorageProof */ + /** Lookup201: sp_trie::storage_proof::StorageProof */ SpTrieStorageProof: { trieNodes: "BTreeSet", }, - /** Lookup202: polkadot_core_primitives::InboundDownwardMessage */ + /** Lookup204: polkadot_core_primitives::InboundDownwardMessage */ PolkadotCorePrimitivesInboundDownwardMessage: { sentAt: "u32", msg: "Bytes", }, - /** Lookup205: polkadot_core_primitives::InboundHrmpMessage */ + /** Lookup207: polkadot_core_primitives::InboundHrmpMessage */ PolkadotCorePrimitivesInboundHrmpMessage: { sentAt: "u32", data: "Bytes", }, - /** Lookup208: pallet_evm::pallet::Call */ + /** Lookup210: pallet_evm::pallet::Call */ PalletEvmCall: { _enum: { withdraw: { @@ -2537,7 +2539,7 @@ export default { }, }, }, - /** Lookup214: pallet_ethereum::pallet::Call */ + /** Lookup216: pallet_ethereum::pallet::Call */ PalletEthereumCall: { _enum: { transact: { @@ -2545,7 +2547,7 @@ export default { }, }, }, - /** Lookup215: ethereum::transaction::TransactionV2 */ + /** Lookup217: ethereum::transaction::TransactionV2 */ EthereumTransactionTransactionV2: { _enum: { Legacy: "EthereumTransactionLegacyTransaction", @@ -2553,7 +2555,7 @@ export default { EIP1559: "EthereumTransactionEip1559Transaction", }, }, - /** Lookup216: ethereum::transaction::LegacyTransaction */ + /** Lookup218: ethereum::transaction::LegacyTransaction */ EthereumTransactionLegacyTransaction: { nonce: "U256", gasPrice: "U256", @@ -2563,20 +2565,20 @@ export default { input: "Bytes", signature: "EthereumTransactionTransactionSignature", }, - /** Lookup217: ethereum::transaction::TransactionAction */ + /** Lookup219: ethereum::transaction::TransactionAction */ EthereumTransactionTransactionAction: { _enum: { Call: "H160", Create: "Null", }, }, - /** Lookup218: ethereum::transaction::TransactionSignature */ + /** Lookup220: ethereum::transaction::TransactionSignature */ EthereumTransactionTransactionSignature: { v: "u64", r: "H256", s: "H256", }, - /** Lookup220: ethereum::transaction::EIP2930Transaction */ + /** Lookup222: ethereum::transaction::EIP2930Transaction */ EthereumTransactionEip2930Transaction: { chainId: "u64", nonce: "U256", @@ -2590,12 +2592,12 @@ export default { r: "H256", s: "H256", }, - /** Lookup222: ethereum::transaction::AccessListItem */ + /** Lookup224: ethereum::transaction::AccessListItem */ EthereumTransactionAccessListItem: { address: "H160", storageKeys: "Vec", }, - /** Lookup223: ethereum::transaction::EIP1559Transaction */ + /** Lookup225: ethereum::transaction::EIP1559Transaction */ EthereumTransactionEip1559Transaction: { chainId: "u64", nonce: "U256", @@ -2610,7 +2612,7 @@ export default { r: "H256", s: "H256", }, - /** Lookup224: pallet_parachain_staking::pallet::Call */ + /** Lookup226: pallet_parachain_staking::pallet::Call */ PalletParachainStakingCall: { _enum: { set_staking_expectations: { @@ -2738,9 +2740,15 @@ export default { bond: "u128", candidateCount: "u32", }, + set_inflation_distribution_config: { + _alias: { + new_: "new", + }, + new_: "[Lookup61;2]", + }, }, }, - /** Lookup227: pallet_scheduler::pallet::Call */ + /** Lookup229: pallet_scheduler::pallet::Call */ PalletSchedulerCall: { _enum: { schedule: { @@ -2794,7 +2802,7 @@ export default { }, }, }, - /** Lookup229: pallet_treasury::pallet::Call */ + /** Lookup231: pallet_treasury::pallet::Call */ PalletTreasuryCall: { _enum: { propose_spend: { @@ -2831,11 +2839,11 @@ export default { }, }, }, - /** Lookup231: pallet_author_inherent::pallet::Call */ + /** Lookup233: pallet_author_inherent::pallet::Call */ PalletAuthorInherentCall: { _enum: ["kick_off_authorship_validation"], }, - /** Lookup232: pallet_author_slot_filter::pallet::Call */ + /** Lookup234: pallet_author_slot_filter::pallet::Call */ PalletAuthorSlotFilterCall: { _enum: { set_eligible: { @@ -2846,7 +2854,7 @@ export default { }, }, }, - /** Lookup233: pallet_crowdloan_rewards::pallet::Call */ + /** Lookup235: pallet_crowdloan_rewards::pallet::Call */ PalletCrowdloanRewardsCall: { _enum: { associate_native_identity: { @@ -2871,7 +2879,7 @@ export default { }, }, }, - /** Lookup234: sp_runtime::MultiSignature */ + /** Lookup236: sp_runtime::MultiSignature */ SpRuntimeMultiSignature: { _enum: { Ed25519: "[u8;64]", @@ -2879,7 +2887,7 @@ export default { Ecdsa: "[u8;65]", }, }, - /** Lookup241: pallet_author_mapping::pallet::Call */ + /** Lookup243: pallet_author_mapping::pallet::Call */ PalletAuthorMappingCall: { _enum: { add_association: { @@ -2901,7 +2909,7 @@ export default { }, }, }, - /** Lookup242: pallet_proxy::pallet::Call */ + /** Lookup244: pallet_proxy::pallet::Call */ PalletProxyCall: { _enum: { proxy: { @@ -2952,11 +2960,11 @@ export default { }, }, }, - /** Lookup244: pallet_maintenance_mode::pallet::Call */ + /** Lookup246: pallet_maintenance_mode::pallet::Call */ PalletMaintenanceModeCall: { _enum: ["enter_maintenance_mode", "resume_normal_operation"], }, - /** Lookup245: pallet_identity::pallet::Call */ + /** Lookup247: pallet_identity::pallet::Call */ PalletIdentityCall: { _enum: { add_registrar: { @@ -3039,7 +3047,7 @@ export default { }, }, }, - /** Lookup246: pallet_identity::legacy::IdentityInfo */ + /** Lookup248: pallet_identity::legacy::IdentityInfo */ PalletIdentityLegacyIdentityInfo: { additional: "Vec<(Data,Data)>", display: "Data", @@ -3051,7 +3059,7 @@ export default { image: "Data", twitter: "Data", }, - /** Lookup282: pallet_identity::types::Judgement */ + /** Lookup284: pallet_identity::types::Judgement */ PalletIdentityJudgement: { _enum: { Unknown: "Null", @@ -3063,9 +3071,9 @@ export default { Erroneous: "Null", }, }, - /** Lookup284: account::EthereumSignature */ + /** Lookup286: account::EthereumSignature */ AccountEthereumSignature: "[u8;65]", - /** Lookup285: cumulus_pallet_xcmp_queue::pallet::Call */ + /** Lookup287: cumulus_pallet_xcmp_queue::pallet::Call */ CumulusPalletXcmpQueueCall: { _enum: { __Unused0: "Null", @@ -3091,9 +3099,9 @@ export default { }, }, }, - /** Lookup286: cumulus_pallet_dmp_queue::pallet::Call */ + /** Lookup288: cumulus_pallet_dmp_queue::pallet::Call */ CumulusPalletDmpQueueCall: "Null", - /** Lookup287: pallet_xcm::pallet::Call */ + /** Lookup289: pallet_xcm::pallet::Call */ PalletXcmCall: { _enum: { send: { @@ -3168,7 +3176,7 @@ export default { }, }, }, - /** Lookup288: xcm::VersionedXcm */ + /** Lookup290: xcm::VersionedXcm */ XcmVersionedXcm: { _enum: { __Unused0: "Null", @@ -3178,9 +3186,9 @@ export default { V4: "StagingXcmV4Xcm", }, }, - /** Lookup289: xcm::v2::Xcm */ + /** Lookup291: xcm::v2::Xcm */ XcmV2Xcm: "Vec", - /** Lookup291: xcm::v2::Instruction */ + /** Lookup293: xcm::v2::Instruction */ XcmV2Instruction: { _enum: { WithdrawAsset: "XcmV2MultiassetMultiAssets", @@ -3276,7 +3284,7 @@ export default { UnsubscribeVersion: "Null", }, }, - /** Lookup292: xcm::v2::Response */ + /** Lookup294: xcm::v2::Response */ XcmV2Response: { _enum: { Null: "Null", @@ -3285,7 +3293,7 @@ export default { Version: "u32", }, }, - /** Lookup295: xcm::v2::traits::Error */ + /** Lookup297: xcm::v2::traits::Error */ XcmV2TraitsError: { _enum: { Overflow: "Null", @@ -3316,14 +3324,14 @@ export default { WeightNotComputable: "Null", }, }, - /** Lookup296: xcm::v2::multiasset::MultiAssetFilter */ + /** Lookup298: xcm::v2::multiasset::MultiAssetFilter */ XcmV2MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV2MultiassetMultiAssets", Wild: "XcmV2MultiassetWildMultiAsset", }, }, - /** Lookup297: xcm::v2::multiasset::WildMultiAsset */ + /** Lookup299: xcm::v2::multiasset::WildMultiAsset */ XcmV2MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3333,20 +3341,20 @@ export default { }, }, }, - /** Lookup298: xcm::v2::multiasset::WildFungibility */ + /** Lookup300: xcm::v2::multiasset::WildFungibility */ XcmV2MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup299: xcm::v2::WeightLimit */ + /** Lookup301: xcm::v2::WeightLimit */ XcmV2WeightLimit: { _enum: { Unlimited: "Null", Limited: "Compact", }, }, - /** Lookup300: xcm::v3::Xcm */ + /** Lookup302: xcm::v3::Xcm */ XcmV3Xcm: "Vec", - /** Lookup302: xcm::v3::Instruction */ + /** Lookup304: xcm::v3::Instruction */ XcmV3Instruction: { _enum: { WithdrawAsset: "XcmV3MultiassetMultiAssets", @@ -3486,7 +3494,7 @@ export default { }, }, }, - /** Lookup303: xcm::v3::Response */ + /** Lookup305: xcm::v3::Response */ XcmV3Response: { _enum: { Null: "Null", @@ -3497,7 +3505,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup305: xcm::v3::PalletInfo */ + /** Lookup307: xcm::v3::PalletInfo */ XcmV3PalletInfo: { index: "Compact", name: "Bytes", @@ -3506,20 +3514,20 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup309: xcm::v3::QueryResponseInfo */ + /** Lookup311: xcm::v3::QueryResponseInfo */ XcmV3QueryResponseInfo: { destination: "StagingXcmV3MultiLocation", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup310: xcm::v3::multiasset::MultiAssetFilter */ + /** Lookup312: xcm::v3::multiasset::MultiAssetFilter */ XcmV3MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV3MultiassetMultiAssets", Wild: "XcmV3MultiassetWildMultiAsset", }, }, - /** Lookup311: xcm::v3::multiasset::WildMultiAsset */ + /** Lookup313: xcm::v3::multiasset::WildMultiAsset */ XcmV3MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3535,11 +3543,11 @@ export default { }, }, }, - /** Lookup312: xcm::v3::multiasset::WildFungibility */ + /** Lookup314: xcm::v3::multiasset::WildFungibility */ XcmV3MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup324: staging_xcm_executor::traits::asset_transfer::TransferType */ + /** Lookup326: staging_xcm_executor::traits::asset_transfer::TransferType */ StagingXcmExecutorAssetTransferTransferType: { _enum: { Teleport: "Null", @@ -3548,7 +3556,7 @@ export default { RemoteReserve: "XcmVersionedLocation", }, }, - /** Lookup325: xcm::VersionedAssetId */ + /** Lookup327: xcm::VersionedAssetId */ XcmVersionedAssetId: { _enum: { __Unused0: "Null", @@ -3558,7 +3566,7 @@ export default { V4: "StagingXcmV4AssetAssetId", }, }, - /** Lookup326: pallet_assets::pallet::Call */ + /** Lookup328: pallet_assets::pallet::Call */ PalletAssetsCall: { _enum: { create: { @@ -3708,7 +3716,7 @@ export default { }, }, }, - /** Lookup327: orml_xtokens::module::Call */ + /** Lookup329: orml_xtokens::module::Call */ OrmlXtokensModuleCall: { _enum: { transfer: { @@ -3749,7 +3757,7 @@ export default { }, }, }, - /** Lookup328: moonbase_runtime::xcm_config::CurrencyId */ + /** Lookup330: moonbase_runtime::xcm_config::CurrencyId */ MoonbaseRuntimeXcmConfigCurrencyId: { _enum: { SelfReserve: "Null", @@ -3759,7 +3767,7 @@ export default { }, }, }, - /** Lookup329: xcm::VersionedAsset */ + /** Lookup331: xcm::VersionedAsset */ XcmVersionedAsset: { _enum: { __Unused0: "Null", @@ -3769,7 +3777,7 @@ export default { V4: "StagingXcmV4Asset", }, }, - /** Lookup332: pallet_asset_manager::pallet::Call */ + /** Lookup334: pallet_asset_manager::pallet::Call */ PalletAssetManagerCall: { _enum: { register_foreign_asset: { @@ -3796,7 +3804,7 @@ export default { }, }, }, - /** Lookup333: pallet_xcm_transactor::pallet::Call */ + /** Lookup335: pallet_xcm_transactor::pallet::Call */ PalletXcmTransactorCall: { _enum: { register: { @@ -3853,28 +3861,28 @@ export default { }, }, }, - /** Lookup334: moonbase_runtime::xcm_config::Transactors */ + /** Lookup336: moonbase_runtime::xcm_config::Transactors */ MoonbaseRuntimeXcmConfigTransactors: { _enum: ["Relay"], }, - /** Lookup335: pallet_xcm_transactor::pallet::CurrencyPayment */ + /** Lookup337: pallet_xcm_transactor::pallet::CurrencyPayment */ PalletXcmTransactorCurrencyPayment: { currency: "PalletXcmTransactorCurrency", feeAmount: "Option", }, - /** Lookup336: pallet_xcm_transactor::pallet::Currency */ + /** Lookup338: pallet_xcm_transactor::pallet::Currency */ PalletXcmTransactorCurrency: { _enum: { AsCurrencyId: "MoonbaseRuntimeXcmConfigCurrencyId", AsMultiLocation: "XcmVersionedLocation", }, }, - /** Lookup338: pallet_xcm_transactor::pallet::TransactWeights */ + /** Lookup340: pallet_xcm_transactor::pallet::TransactWeights */ PalletXcmTransactorTransactWeights: { transactRequiredWeightAtMost: "SpWeightsWeightV2Weight", overallWeight: "Option", }, - /** Lookup340: pallet_moonbeam_orbiters::pallet::Call */ + /** Lookup342: pallet_moonbeam_orbiters::pallet::Call */ PalletMoonbeamOrbitersCall: { _enum: { collator_add_orbiter: { @@ -3898,7 +3906,7 @@ export default { }, }, }, - /** Lookup341: pallet_ethereum_xcm::pallet::Call */ + /** Lookup343: pallet_ethereum_xcm::pallet::Call */ PalletEthereumXcmCall: { _enum: { transact: { @@ -3917,14 +3925,14 @@ export default { }, }, }, - /** Lookup342: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ + /** Lookup344: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ XcmPrimitivesEthereumXcmEthereumXcmTransaction: { _enum: { V1: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV1", V2: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV2", }, }, - /** Lookup343: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ + /** Lookup345: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV1: { gasLimit: "U256", feePayment: "XcmPrimitivesEthereumXcmEthereumXcmFee", @@ -3933,19 +3941,19 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup344: xcm_primitives::ethereum_xcm::EthereumXcmFee */ + /** Lookup346: xcm_primitives::ethereum_xcm::EthereumXcmFee */ XcmPrimitivesEthereumXcmEthereumXcmFee: { _enum: { Manual: "XcmPrimitivesEthereumXcmManualEthereumXcmFee", Auto: "Null", }, }, - /** Lookup345: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ + /** Lookup347: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ XcmPrimitivesEthereumXcmManualEthereumXcmFee: { gasPrice: "Option", maxFeePerGas: "Option", }, - /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ + /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV2: { gasLimit: "U256", action: "EthereumTransactionTransactionAction", @@ -3953,11 +3961,11 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup350: pallet_randomness::pallet::Call */ + /** Lookup352: pallet_randomness::pallet::Call */ PalletRandomnessCall: { _enum: ["set_babe_randomness_results"], }, - /** Lookup351: pallet_collective::pallet::Call */ + /** Lookup353: pallet_collective::pallet::Call */ PalletCollectiveCall: { _enum: { set_members: { @@ -3991,7 +3999,7 @@ export default { }, }, }, - /** Lookup352: pallet_conviction_voting::pallet::Call */ + /** Lookup354: pallet_conviction_voting::pallet::Call */ PalletConvictionVotingCall: { _enum: { vote: { @@ -4022,7 +4030,7 @@ export default { }, }, }, - /** Lookup353: pallet_conviction_voting::vote::AccountVote */ + /** Lookup355: pallet_conviction_voting::vote::AccountVote */ PalletConvictionVotingVoteAccountVote: { _enum: { Standard: { @@ -4040,11 +4048,11 @@ export default { }, }, }, - /** Lookup355: pallet_conviction_voting::conviction::Conviction */ + /** Lookup357: pallet_conviction_voting::conviction::Conviction */ PalletConvictionVotingConviction: { _enum: ["None", "Locked1x", "Locked2x", "Locked3x", "Locked4x", "Locked5x", "Locked6x"], }, - /** Lookup357: pallet_referenda::pallet::Call */ + /** Lookup359: pallet_referenda::pallet::Call */ PalletReferendaCall: { _enum: { submit: { @@ -4079,14 +4087,14 @@ export default { }, }, }, - /** Lookup358: frame_support::traits::schedule::DispatchTime */ + /** Lookup360: frame_support::traits::schedule::DispatchTime */ FrameSupportScheduleDispatchTime: { _enum: { At: "u32", After: "u32", }, }, - /** Lookup360: pallet_preimage::pallet::Call */ + /** Lookup362: pallet_preimage::pallet::Call */ PalletPreimageCall: { _enum: { note_preimage: { @@ -4115,7 +4123,7 @@ export default { }, }, }, - /** Lookup361: pallet_whitelist::pallet::Call */ + /** Lookup363: pallet_whitelist::pallet::Call */ PalletWhitelistCall: { _enum: { whitelist_call: { @@ -4134,7 +4142,7 @@ export default { }, }, }, - /** Lookup363: pallet_root_testing::pallet::Call */ + /** Lookup365: pallet_root_testing::pallet::Call */ PalletRootTestingCall: { _enum: { fill_block: { @@ -4143,7 +4151,7 @@ export default { trigger_defensive: "Null", }, }, - /** Lookup364: pallet_multisig::pallet::Call */ + /** Lookup366: pallet_multisig::pallet::Call */ PalletMultisigCall: { _enum: { as_multi_threshold_1: { @@ -4172,12 +4180,12 @@ export default { }, }, }, - /** Lookup366: pallet_multisig::Timepoint */ + /** Lookup368: pallet_multisig::Timepoint */ PalletMultisigTimepoint: { height: "u32", index: "u32", }, - /** Lookup367: pallet_moonbeam_lazy_migrations::pallet::Call */ + /** Lookup369: pallet_moonbeam_lazy_migrations::pallet::Call */ PalletMoonbeamLazyMigrationsCall: { _enum: { __Unused0: "Null", @@ -4190,7 +4198,7 @@ export default { }, }, }, - /** Lookup370: pallet_message_queue::pallet::Call */ + /** Lookup372: pallet_message_queue::pallet::Call */ PalletMessageQueueCall: { _enum: { reap_page: { @@ -4205,7 +4213,7 @@ export default { }, }, }, - /** Lookup371: cumulus_primitives_core::AggregateMessageOrigin */ + /** Lookup373: cumulus_primitives_core::AggregateMessageOrigin */ CumulusPrimitivesCoreAggregateMessageOrigin: { _enum: { Here: "Null", @@ -4213,7 +4221,7 @@ export default { Sibling: "u32", }, }, - /** Lookup372: pallet_emergency_para_xcm::pallet::Call */ + /** Lookup374: pallet_emergency_para_xcm::pallet::Call */ PalletEmergencyParaXcmCall: { _enum: { paused_to_normal: "Null", @@ -4222,7 +4230,7 @@ export default { }, }, }, - /** Lookup373: pallet_moonbeam_foreign_assets::pallet::Call */ + /** Lookup375: pallet_moonbeam_foreign_assets::pallet::Call */ PalletMoonbeamForeignAssetsCall: { _enum: { create_foreign_asset: { @@ -4245,7 +4253,7 @@ export default { }, }, }, - /** Lookup375: pallet_parameters::pallet::Call */ + /** Lookup377: pallet_parameters::pallet::Call */ PalletParametersCall: { _enum: { set_parameter: { @@ -4253,22 +4261,22 @@ export default { }, }, }, - /** Lookup376: moonbase_runtime::runtime_params::RuntimeParameters */ + /** Lookup378: moonbase_runtime::runtime_params::RuntimeParameters */ MoonbaseRuntimeRuntimeParamsRuntimeParameters: { _enum: { RuntimeConfig: "MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters", }, }, - /** Lookup377: moonbase_runtime::runtime_params::dynamic_params::runtime_config::Parameters */ + /** Lookup379: moonbase_runtime::runtime_params::dynamic_params::runtime_config::Parameters */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters: { _enum: { FeesTreasuryProportion: "(MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion,Option)", }, }, - /** Lookup378: moonbase_runtime::runtime_params::dynamic_params::runtime_config::FeesTreasuryProportion */ + /** Lookup380: moonbase_runtime::runtime_params::dynamic_params::runtime_config::FeesTreasuryProportion */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion: "Null", - /** Lookup380: pallet_xcm_weight_trader::pallet::Call */ + /** Lookup382: pallet_xcm_weight_trader::pallet::Call */ PalletXcmWeightTraderCall: { _enum: { add_asset: { @@ -4290,15 +4298,15 @@ export default { }, }, }, - /** Lookup381: sp_runtime::traits::BlakeTwo256 */ + /** Lookup383: sp_runtime::traits::BlakeTwo256 */ SpRuntimeBlakeTwo256: "Null", - /** Lookup383: pallet_conviction_voting::types::Tally */ + /** Lookup385: pallet_conviction_voting::types::Tally */ PalletConvictionVotingTally: { ayes: "u128", nays: "u128", support: "u128", }, - /** Lookup384: pallet_preimage::pallet::Event */ + /** Lookup386: pallet_preimage::pallet::Event */ PalletPreimageEvent: { _enum: { Noted: { @@ -4321,7 +4329,7 @@ export default { }, }, }, - /** Lookup385: pallet_whitelist::pallet::Event */ + /** Lookup387: pallet_whitelist::pallet::Event */ PalletWhitelistEvent: { _enum: { CallWhitelisted: { @@ -4336,21 +4344,21 @@ export default { }, }, }, - /** Lookup387: frame_support::dispatch::PostDispatchInfo */ + /** Lookup389: frame_support::dispatch::PostDispatchInfo */ FrameSupportDispatchPostDispatchInfo: { actualWeight: "Option", paysFee: "FrameSupportDispatchPays", }, - /** Lookup388: sp_runtime::DispatchErrorWithPostInfo */ + /** Lookup390: sp_runtime::DispatchErrorWithPostInfo */ SpRuntimeDispatchErrorWithPostInfo: { postInfo: "FrameSupportDispatchPostDispatchInfo", error: "SpRuntimeDispatchError", }, - /** Lookup390: pallet_root_testing::pallet::Event */ + /** Lookup392: pallet_root_testing::pallet::Event */ PalletRootTestingEvent: { _enum: ["DefensiveTestCall"], }, - /** Lookup391: pallet_multisig::pallet::Event */ + /** Lookup393: pallet_multisig::pallet::Event */ PalletMultisigEvent: { _enum: { NewMultisig: { @@ -4379,7 +4387,7 @@ export default { }, }, }, - /** Lookup392: pallet_message_queue::pallet::Event */ + /** Lookup394: pallet_message_queue::pallet::Event */ PalletMessageQueueEvent: { _enum: { ProcessingFailed: { @@ -4405,7 +4413,7 @@ export default { }, }, }, - /** Lookup393: frame_support::traits::messages::ProcessMessageError */ + /** Lookup395: frame_support::traits::messages::ProcessMessageError */ FrameSupportMessagesProcessMessageError: { _enum: { BadFormat: "Null", @@ -4415,11 +4423,11 @@ export default { Yield: "Null", }, }, - /** Lookup394: pallet_emergency_para_xcm::pallet::Event */ + /** Lookup396: pallet_emergency_para_xcm::pallet::Event */ PalletEmergencyParaXcmEvent: { _enum: ["EnteredPausedXcmMode", "NormalXcmOperationResumed"], }, - /** Lookup395: pallet_moonbeam_foreign_assets::pallet::Event */ + /** Lookup397: pallet_moonbeam_foreign_assets::pallet::Event */ PalletMoonbeamForeignAssetsEvent: { _enum: { ForeignAssetCreated: { @@ -4441,7 +4449,7 @@ export default { }, }, }, - /** Lookup396: pallet_parameters::pallet::Event */ + /** Lookup398: pallet_parameters::pallet::Event */ PalletParametersEvent: { _enum: { Updated: { @@ -4451,29 +4459,29 @@ export default { }, }, }, - /** Lookup397: moonbase_runtime::runtime_params::RuntimeParametersKey */ + /** Lookup399: moonbase_runtime::runtime_params::RuntimeParametersKey */ MoonbaseRuntimeRuntimeParamsRuntimeParametersKey: { _enum: { RuntimeConfig: "MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey", }, }, - /** Lookup398: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersKey */ + /** Lookup400: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersKey */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey: { _enum: ["FeesTreasuryProportion"], }, - /** Lookup400: moonbase_runtime::runtime_params::RuntimeParametersValue */ + /** Lookup402: moonbase_runtime::runtime_params::RuntimeParametersValue */ MoonbaseRuntimeRuntimeParamsRuntimeParametersValue: { _enum: { RuntimeConfig: "MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue", }, }, - /** Lookup401: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersValue */ + /** Lookup403: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersValue */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue: { _enum: { FeesTreasuryProportion: "Perbill", }, }, - /** Lookup402: pallet_xcm_weight_trader::pallet::Event */ + /** Lookup404: pallet_xcm_weight_trader::pallet::Event */ PalletXcmWeightTraderEvent: { _enum: { SupportedAssetAdded: { @@ -4495,7 +4503,7 @@ export default { }, }, }, - /** Lookup403: frame_system::Phase */ + /** Lookup405: frame_system::Phase */ FrameSystemPhase: { _enum: { ApplyExtrinsic: "u32", @@ -4503,51 +4511,51 @@ export default { Initialization: "Null", }, }, - /** Lookup405: frame_system::LastRuntimeUpgradeInfo */ + /** Lookup407: frame_system::LastRuntimeUpgradeInfo */ FrameSystemLastRuntimeUpgradeInfo: { specVersion: "Compact", specName: "Text", }, - /** Lookup406: frame_system::CodeUpgradeAuthorization */ + /** Lookup408: frame_system::CodeUpgradeAuthorization */ FrameSystemCodeUpgradeAuthorization: { codeHash: "H256", checkVersion: "bool", }, - /** Lookup407: frame_system::limits::BlockWeights */ + /** Lookup409: frame_system::limits::BlockWeights */ FrameSystemLimitsBlockWeights: { baseBlock: "SpWeightsWeightV2Weight", maxBlock: "SpWeightsWeightV2Weight", perClass: "FrameSupportDispatchPerDispatchClassWeightsPerClass", }, - /** Lookup408: frame_support::dispatch::PerDispatchClass */ + /** Lookup410: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassWeightsPerClass: { normal: "FrameSystemLimitsWeightsPerClass", operational: "FrameSystemLimitsWeightsPerClass", mandatory: "FrameSystemLimitsWeightsPerClass", }, - /** Lookup409: frame_system::limits::WeightsPerClass */ + /** Lookup411: frame_system::limits::WeightsPerClass */ FrameSystemLimitsWeightsPerClass: { baseExtrinsic: "SpWeightsWeightV2Weight", maxExtrinsic: "Option", maxTotal: "Option", reserved: "Option", }, - /** Lookup410: frame_system::limits::BlockLength */ + /** Lookup412: frame_system::limits::BlockLength */ FrameSystemLimitsBlockLength: { max: "FrameSupportDispatchPerDispatchClassU32", }, - /** Lookup411: frame_support::dispatch::PerDispatchClass */ + /** Lookup413: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassU32: { normal: "u32", operational: "u32", mandatory: "u32", }, - /** Lookup412: sp_weights::RuntimeDbWeight */ + /** Lookup414: sp_weights::RuntimeDbWeight */ SpWeightsRuntimeDbWeight: { read: "u64", write: "u64", }, - /** Lookup413: sp_version::RuntimeVersion */ + /** Lookup415: sp_version::RuntimeVersion */ SpVersionRuntimeVersion: { specName: "Text", implName: "Text", @@ -4558,7 +4566,7 @@ export default { transactionVersion: "u32", stateVersion: "u8", }, - /** Lookup417: frame_system::pallet::Error */ + /** Lookup419: frame_system::pallet::Error */ FrameSystemError: { _enum: [ "InvalidSpecName", @@ -4572,26 +4580,26 @@ export default { "Unauthorized", ], }, - /** Lookup418: pallet_utility::pallet::Error */ + /** Lookup420: pallet_utility::pallet::Error */ PalletUtilityError: { _enum: ["TooManyCalls"], }, - /** Lookup420: pallet_balances::types::BalanceLock */ + /** Lookup422: pallet_balances::types::BalanceLock */ PalletBalancesBalanceLock: { id: "[u8;8]", amount: "u128", reasons: "PalletBalancesReasons", }, - /** Lookup421: pallet_balances::types::Reasons */ + /** Lookup423: pallet_balances::types::Reasons */ PalletBalancesReasons: { _enum: ["Fee", "Misc", "All"], }, - /** Lookup424: pallet_balances::types::ReserveData */ + /** Lookup426: pallet_balances::types::ReserveData */ PalletBalancesReserveData: { id: "[u8;4]", amount: "u128", }, - /** Lookup428: moonbase_runtime::RuntimeHoldReason */ + /** Lookup430: moonbase_runtime::RuntimeHoldReason */ MoonbaseRuntimeRuntimeHoldReason: { _enum: { __Unused0: "Null", @@ -4641,16 +4649,16 @@ export default { Preimage: "PalletPreimageHoldReason", }, }, - /** Lookup429: pallet_preimage::pallet::HoldReason */ + /** Lookup431: pallet_preimage::pallet::HoldReason */ PalletPreimageHoldReason: { _enum: ["Preimage"], }, - /** Lookup432: pallet_balances::types::IdAmount */ + /** Lookup434: pallet_balances::types::IdAmount */ PalletBalancesIdAmount: { id: "Null", amount: "u128", }, - /** Lookup434: pallet_balances::pallet::Error */ + /** Lookup436: pallet_balances::pallet::Error */ PalletBalancesError: { _enum: [ "VestingBalance", @@ -4667,42 +4675,42 @@ export default { "DeltaZero", ], }, - /** Lookup435: pallet_sudo::pallet::Error */ + /** Lookup437: pallet_sudo::pallet::Error */ PalletSudoError: { _enum: ["RequireSudo"], }, - /** Lookup437: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ + /** Lookup439: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ CumulusPalletParachainSystemUnincludedSegmentAncestor: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", paraHeadHash: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup438: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ + /** Lookup440: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth: { umpMsgCount: "u32", umpTotalBytes: "u32", hrmpOutgoing: "BTreeMap", }, - /** Lookup440: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ + /** Lookup442: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate: { msgCount: "u32", totalBytes: "u32", }, - /** Lookup444: polkadot_primitives::v7::UpgradeGoAhead */ + /** Lookup446: polkadot_primitives::v7::UpgradeGoAhead */ PolkadotPrimitivesV7UpgradeGoAhead: { _enum: ["Abort", "GoAhead"], }, - /** Lookup445: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ + /** Lookup447: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ CumulusPalletParachainSystemUnincludedSegmentSegmentTracker: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", hrmpWatermark: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup447: polkadot_primitives::v7::UpgradeRestriction */ + /** Lookup449: polkadot_primitives::v7::UpgradeRestriction */ PolkadotPrimitivesV7UpgradeRestriction: { _enum: ["Present"], }, - /** Lookup448: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ + /** Lookup450: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot: { dmqMqcHead: "H256", relayDispatchQueueRemainingCapacity: @@ -4710,12 +4718,12 @@ export default { ingressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", egressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", }, - /** Lookup449: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ + /** Lookup451: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity: { remainingCount: "u32", remainingSize: "u32", }, - /** Lookup452: polkadot_primitives::v7::AbridgedHrmpChannel */ + /** Lookup454: polkadot_primitives::v7::AbridgedHrmpChannel */ PolkadotPrimitivesV7AbridgedHrmpChannel: { maxCapacity: "u32", maxTotalSize: "u32", @@ -4724,7 +4732,7 @@ export default { totalSize: "u32", mqcHead: "Option", }, - /** Lookup453: polkadot_primitives::v7::AbridgedHostConfiguration */ + /** Lookup455: polkadot_primitives::v7::AbridgedHostConfiguration */ PolkadotPrimitivesV7AbridgedHostConfiguration: { maxCodeSize: "u32", maxHeadDataSize: "u32", @@ -4737,17 +4745,17 @@ export default { validationUpgradeDelay: "u32", asyncBackingParams: "PolkadotPrimitivesV7AsyncBackingAsyncBackingParams", }, - /** Lookup454: polkadot_primitives::v7::async_backing::AsyncBackingParams */ + /** Lookup456: polkadot_primitives::v7::async_backing::AsyncBackingParams */ PolkadotPrimitivesV7AsyncBackingAsyncBackingParams: { maxCandidateDepth: "u32", allowedAncestryLen: "u32", }, - /** Lookup460: polkadot_core_primitives::OutboundHrmpMessage */ + /** Lookup462: polkadot_core_primitives::OutboundHrmpMessage */ PolkadotCorePrimitivesOutboundHrmpMessage: { recipient: "u32", data: "Bytes", }, - /** Lookup462: cumulus_pallet_parachain_system::pallet::Error */ + /** Lookup464: cumulus_pallet_parachain_system::pallet::Error */ CumulusPalletParachainSystemError: { _enum: [ "OverlappingUpgrades", @@ -4760,11 +4768,11 @@ export default { "Unauthorized", ], }, - /** Lookup463: pallet_transaction_payment::Releases */ + /** Lookup465: pallet_transaction_payment::Releases */ PalletTransactionPaymentReleases: { _enum: ["V1Ancient", "V2"], }, - /** Lookup464: pallet_evm::CodeMetadata */ + /** Lookup466: pallet_evm::CodeMetadata */ PalletEvmCodeMetadata: { _alias: { size_: "size", @@ -4773,7 +4781,7 @@ export default { size_: "u64", hash_: "H256", }, - /** Lookup466: pallet_evm::pallet::Error */ + /** Lookup468: pallet_evm::pallet::Error */ PalletEvmError: { _enum: [ "BalanceLow", @@ -4791,7 +4799,7 @@ export default { "Undefined", ], }, - /** Lookup469: fp_rpc::TransactionStatus */ + /** Lookup471: fp_rpc::TransactionStatus */ FpRpcTransactionStatus: { transactionHash: "H256", transactionIndex: "u32", @@ -4801,9 +4809,9 @@ export default { logs: "Vec", logsBloom: "EthbloomBloom", }, - /** Lookup471: ethbloom::Bloom */ + /** Lookup473: ethbloom::Bloom */ EthbloomBloom: "[u8;256]", - /** Lookup473: ethereum::receipt::ReceiptV3 */ + /** Lookup475: ethereum::receipt::ReceiptV3 */ EthereumReceiptReceiptV3: { _enum: { Legacy: "EthereumReceiptEip658ReceiptData", @@ -4811,7 +4819,7 @@ export default { EIP1559: "EthereumReceiptEip658ReceiptData", }, }, - /** Lookup474: ethereum::receipt::EIP658ReceiptData */ + /** Lookup476: ethereum::receipt::EIP658ReceiptData */ EthereumReceiptEip658ReceiptData: { statusCode: "u8", usedGas: "U256", @@ -4819,7 +4827,7 @@ export default { logs: "Vec", }, /** - * Lookup475: + * Lookup477: * ethereum::block::Block[ethereum::transaction::TransactionV2](ethereum::transaction::TransactionV2) */ EthereumBlock: { @@ -4827,7 +4835,7 @@ export default { transactions: "Vec", ommers: "Vec", }, - /** Lookup476: ethereum::header::Header */ + /** Lookup478: ethereum::header::Header */ EthereumHeader: { parentHash: "H256", ommersHash: "H256", @@ -4845,28 +4853,20 @@ export default { mixHash: "H256", nonce: "EthereumTypesHashH64", }, - /** Lookup477: ethereum_types::hash::H64 */ + /** Lookup479: ethereum_types::hash::H64 */ EthereumTypesHashH64: "[u8;8]", - /** Lookup482: pallet_ethereum::pallet::Error */ + /** Lookup484: pallet_ethereum::pallet::Error */ PalletEthereumError: { _enum: ["InvalidSignature", "PreLogExists"], }, - /** - * Lookup483: - * pallet_parachain_staking::types::ParachainBondConfig[account::AccountId20](account::AccountId20) - */ - PalletParachainStakingParachainBondConfig: { - account: "AccountId20", - percent: "Percent", - }, - /** Lookup484: pallet_parachain_staking::types::RoundInfo */ + /** Lookup485: pallet_parachain_staking::types::RoundInfo */ PalletParachainStakingRoundInfo: { current: "u32", first: "u32", length: "u32", firstSlot: "u64", }, - /** Lookup485: pallet_parachain_staking::types::Delegator */ + /** Lookup486: pallet_parachain_staking::types::Delegator */ PalletParachainStakingDelegator: { id: "AccountId20", delegations: "PalletParachainStakingSetOrderedSet", @@ -4875,24 +4875,24 @@ export default { status: "PalletParachainStakingDelegatorStatus", }, /** - * Lookup486: + * Lookup487: * pallet_parachain_staking::set::OrderedSet> */ PalletParachainStakingSetOrderedSet: "Vec", - /** Lookup487: pallet_parachain_staking::types::Bond */ + /** Lookup488: pallet_parachain_staking::types::Bond */ PalletParachainStakingBond: { owner: "AccountId20", amount: "u128", }, - /** Lookup489: pallet_parachain_staking::types::DelegatorStatus */ + /** Lookup490: pallet_parachain_staking::types::DelegatorStatus */ PalletParachainStakingDelegatorStatus: { _enum: { Active: "Null", Leaving: "u32", }, }, - /** Lookup490: pallet_parachain_staking::types::CandidateMetadata */ + /** Lookup491: pallet_parachain_staking::types::CandidateMetadata */ PalletParachainStakingCandidateMetadata: { bond: "u128", delegationCount: "u32", @@ -4905,16 +4905,16 @@ export default { request: "Option", status: "PalletParachainStakingCollatorStatus", }, - /** Lookup491: pallet_parachain_staking::types::CapacityStatus */ + /** Lookup492: pallet_parachain_staking::types::CapacityStatus */ PalletParachainStakingCapacityStatus: { _enum: ["Full", "Empty", "Partial"], }, - /** Lookup493: pallet_parachain_staking::types::CandidateBondLessRequest */ + /** Lookup494: pallet_parachain_staking::types::CandidateBondLessRequest */ PalletParachainStakingCandidateBondLessRequest: { amount: "u128", whenExecutable: "u32", }, - /** Lookup494: pallet_parachain_staking::types::CollatorStatus */ + /** Lookup495: pallet_parachain_staking::types::CollatorStatus */ PalletParachainStakingCollatorStatus: { _enum: { Active: "Null", @@ -4922,50 +4922,50 @@ export default { Leaving: "u32", }, }, - /** Lookup496: pallet_parachain_staking::delegation_requests::ScheduledRequest */ + /** Lookup497: pallet_parachain_staking::delegation_requests::ScheduledRequest */ PalletParachainStakingDelegationRequestsScheduledRequest: { delegator: "AccountId20", whenExecutable: "u32", action: "PalletParachainStakingDelegationRequestsDelegationAction", }, /** - * Lookup499: + * Lookup500: * pallet_parachain_staking::auto_compound::AutoCompoundConfig[account::AccountId20](account::AccountId20) */ PalletParachainStakingAutoCompoundAutoCompoundConfig: { delegator: "AccountId20", value: "Percent", }, - /** Lookup501: pallet_parachain_staking::types::Delegations */ + /** Lookup502: pallet_parachain_staking::types::Delegations */ PalletParachainStakingDelegations: { delegations: "Vec", total: "u128", }, /** - * Lookup503: + * Lookup504: * pallet_parachain_staking::set::BoundedOrderedSet, S> */ PalletParachainStakingSetBoundedOrderedSet: "Vec", - /** Lookup506: pallet_parachain_staking::types::CollatorSnapshot */ + /** Lookup507: pallet_parachain_staking::types::CollatorSnapshot */ PalletParachainStakingCollatorSnapshot: { bond: "u128", delegations: "Vec", total: "u128", }, - /** Lookup508: pallet_parachain_staking::types::BondWithAutoCompound */ + /** Lookup509: pallet_parachain_staking::types::BondWithAutoCompound */ PalletParachainStakingBondWithAutoCompound: { owner: "AccountId20", amount: "u128", autoCompound: "Percent", }, - /** Lookup509: pallet_parachain_staking::types::DelayedPayout */ + /** Lookup510: pallet_parachain_staking::types::DelayedPayout */ PalletParachainStakingDelayedPayout: { roundIssuance: "u128", totalStakingReward: "u128", collatorCommission: "Perbill", }, - /** Lookup510: pallet_parachain_staking::inflation::InflationInfo */ + /** Lookup511: pallet_parachain_staking::inflation::InflationInfo */ PalletParachainStakingInflationInflationInfo: { expect: { min: "u128", @@ -4983,7 +4983,7 @@ export default { max: "Perbill", }, }, - /** Lookup511: pallet_parachain_staking::pallet::Error */ + /** Lookup512: pallet_parachain_staking::pallet::Error */ PalletParachainStakingError: { _enum: [ "DelegatorDNE", @@ -5013,6 +5013,7 @@ export default { "CannotSetBelowMin", "RoundLengthMustBeGreaterThanTotalSelectedCollators", "NoWritingSameValue", + "TotalInflationDistributionPercentExceeds100", "TooLowCandidateCountWeightHintJoinCandidates", "TooLowCandidateCountWeightHintCancelLeaveCandidates", "TooLowCandidateCountToLeaveCandidates", @@ -5044,7 +5045,7 @@ export default { ], }, /** - * Lookup514: pallet_scheduler::Scheduled, BlockNumber, moonbase_runtime::OriginCaller, account::AccountId20> */ @@ -5055,13 +5056,13 @@ export default { maybePeriodic: "Option<(u32,u32)>", origin: "MoonbaseRuntimeOriginCaller", }, - /** Lookup516: pallet_scheduler::RetryConfig */ + /** Lookup517: pallet_scheduler::RetryConfig */ PalletSchedulerRetryConfig: { totalRetries: "u8", remaining: "u8", period: "u32", }, - /** Lookup517: pallet_scheduler::pallet::Error */ + /** Lookup518: pallet_scheduler::pallet::Error */ PalletSchedulerError: { _enum: [ "FailedToSchedule", @@ -5071,7 +5072,7 @@ export default { "Named", ], }, - /** Lookup518: pallet_treasury::Proposal */ + /** Lookup519: pallet_treasury::Proposal */ PalletTreasuryProposal: { proposer: "AccountId20", value: "u128", @@ -5079,7 +5080,7 @@ export default { bond: "u128", }, /** - * Lookup521: pallet_treasury::SpendStatus */ PalletTreasurySpendStatus: { @@ -5090,7 +5091,7 @@ export default { expireAt: "u32", status: "PalletTreasuryPaymentState", }, - /** Lookup522: pallet_treasury::PaymentState */ + /** Lookup523: pallet_treasury::PaymentState */ PalletTreasuryPaymentState: { _enum: { Pending: "Null", @@ -5100,9 +5101,9 @@ export default { Failed: "Null", }, }, - /** Lookup524: frame_support::PalletId */ + /** Lookup525: frame_support::PalletId */ FrameSupportPalletId: "[u8;8]", - /** Lookup525: pallet_treasury::pallet::Error */ + /** Lookup526: pallet_treasury::pallet::Error */ PalletTreasuryError: { _enum: [ "InsufficientProposersBalance", @@ -5119,17 +5120,17 @@ export default { "Inconclusive", ], }, - /** Lookup526: pallet_author_inherent::pallet::Error */ + /** Lookup527: pallet_author_inherent::pallet::Error */ PalletAuthorInherentError: { _enum: ["AuthorAlreadySet", "NoAccountId", "CannotBeAuthor"], }, - /** Lookup527: pallet_crowdloan_rewards::pallet::RewardInfo */ + /** Lookup528: pallet_crowdloan_rewards::pallet::RewardInfo */ PalletCrowdloanRewardsRewardInfo: { totalReward: "u128", claimedReward: "u128", contributedRelayAddresses: "Vec<[u8;32]>", }, - /** Lookup529: pallet_crowdloan_rewards::pallet::Error */ + /** Lookup530: pallet_crowdloan_rewards::pallet::Error */ PalletCrowdloanRewardsError: { _enum: [ "AlreadyAssociated", @@ -5149,7 +5150,7 @@ export default { "InsufficientNumberOfValidProofs", ], }, - /** Lookup530: pallet_author_mapping::pallet::RegistrationInfo */ + /** Lookup531: pallet_author_mapping::pallet::RegistrationInfo */ PalletAuthorMappingRegistrationInfo: { _alias: { keys_: "keys", @@ -5158,7 +5159,7 @@ export default { deposit: "u128", keys_: "SessionKeysPrimitivesVrfVrfCryptoPublic", }, - /** Lookup531: pallet_author_mapping::pallet::Error */ + /** Lookup532: pallet_author_mapping::pallet::Error */ PalletAuthorMappingError: { _enum: [ "AssociationNotFound", @@ -5171,19 +5172,19 @@ export default { "DecodeKeysFailed", ], }, - /** Lookup534: pallet_proxy::ProxyDefinition */ + /** Lookup535: pallet_proxy::ProxyDefinition */ PalletProxyProxyDefinition: { delegate: "AccountId20", proxyType: "MoonbaseRuntimeProxyType", delay: "u32", }, - /** Lookup538: pallet_proxy::Announcement */ + /** Lookup539: pallet_proxy::Announcement */ PalletProxyAnnouncement: { real: "AccountId20", callHash: "H256", height: "u32", }, - /** Lookup540: pallet_proxy::pallet::Error */ + /** Lookup541: pallet_proxy::pallet::Error */ PalletProxyError: { _enum: [ "TooMany", @@ -5196,12 +5197,12 @@ export default { "NoSelfProxy", ], }, - /** Lookup541: pallet_maintenance_mode::pallet::Error */ + /** Lookup542: pallet_maintenance_mode::pallet::Error */ PalletMaintenanceModeError: { _enum: ["AlreadyInMaintenanceMode", "NotInMaintenanceMode"], }, /** - * Lookup543: pallet_identity::types::Registration> */ PalletIdentityRegistration: { @@ -5209,21 +5210,21 @@ export default { deposit: "u128", info: "PalletIdentityLegacyIdentityInfo", }, - /** Lookup552: pallet_identity::types::RegistrarInfo */ + /** Lookup553: pallet_identity::types::RegistrarInfo */ PalletIdentityRegistrarInfo: { account: "AccountId20", fee: "u128", fields: "u64", }, /** - * Lookup554: + * Lookup555: * pallet_identity::types::AuthorityProperties> */ PalletIdentityAuthorityProperties: { suffix: "Bytes", allocation: "u32", }, - /** Lookup557: pallet_identity::pallet::Error */ + /** Lookup558: pallet_identity::pallet::Error */ PalletIdentityError: { _enum: [ "TooManySubAccounts", @@ -5254,7 +5255,7 @@ export default { "NotExpired", ], }, - /** Lookup562: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ + /** Lookup563: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ CumulusPalletXcmpQueueOutboundChannelDetails: { recipient: "u32", state: "CumulusPalletXcmpQueueOutboundState", @@ -5262,21 +5263,21 @@ export default { firstIndex: "u16", lastIndex: "u16", }, - /** Lookup563: cumulus_pallet_xcmp_queue::OutboundState */ + /** Lookup564: cumulus_pallet_xcmp_queue::OutboundState */ CumulusPalletXcmpQueueOutboundState: { _enum: ["Ok", "Suspended"], }, - /** Lookup565: cumulus_pallet_xcmp_queue::QueueConfigData */ + /** Lookup566: cumulus_pallet_xcmp_queue::QueueConfigData */ CumulusPalletXcmpQueueQueueConfigData: { suspendThreshold: "u32", dropThreshold: "u32", resumeThreshold: "u32", }, - /** Lookup566: cumulus_pallet_xcmp_queue::pallet::Error */ + /** Lookup567: cumulus_pallet_xcmp_queue::pallet::Error */ CumulusPalletXcmpQueueError: { _enum: ["BadQueueConfig", "AlreadySuspended", "AlreadyResumed"], }, - /** Lookup567: cumulus_pallet_dmp_queue::pallet::MigrationState */ + /** Lookup568: cumulus_pallet_dmp_queue::pallet::MigrationState */ CumulusPalletDmpQueueMigrationState: { _enum: { NotStarted: "Null", @@ -5294,7 +5295,7 @@ export default { Completed: "Null", }, }, - /** Lookup570: pallet_xcm::pallet::QueryStatus */ + /** Lookup571: pallet_xcm::pallet::QueryStatus */ PalletXcmQueryStatus: { _enum: { Pending: { @@ -5313,7 +5314,7 @@ export default { }, }, }, - /** Lookup574: xcm::VersionedResponse */ + /** Lookup575: xcm::VersionedResponse */ XcmVersionedResponse: { _enum: { __Unused0: "Null", @@ -5323,7 +5324,7 @@ export default { V4: "StagingXcmV4Response", }, }, - /** Lookup580: pallet_xcm::pallet::VersionMigrationStage */ + /** Lookup581: pallet_xcm::pallet::VersionMigrationStage */ PalletXcmVersionMigrationStage: { _enum: { MigrateSupportedVersion: "Null", @@ -5332,14 +5333,14 @@ export default { MigrateAndNotifyOldTargets: "Null", }, }, - /** Lookup583: pallet_xcm::pallet::RemoteLockedFungibleRecord */ + /** Lookup584: pallet_xcm::pallet::RemoteLockedFungibleRecord */ PalletXcmRemoteLockedFungibleRecord: { amount: "u128", owner: "XcmVersionedLocation", locker: "XcmVersionedLocation", consumers: "Vec<(Null,u128)>", }, - /** Lookup590: pallet_xcm::pallet::Error */ + /** Lookup591: pallet_xcm::pallet::Error */ PalletXcmError: { _enum: [ "Unreachable", @@ -5369,7 +5370,7 @@ export default { "LocalExecutionIncomplete", ], }, - /** Lookup591: pallet_assets::types::AssetDetails */ + /** Lookup592: pallet_assets::types::AssetDetails */ PalletAssetsAssetDetails: { owner: "AccountId20", issuer: "AccountId20", @@ -5384,22 +5385,22 @@ export default { approvals: "u32", status: "PalletAssetsAssetStatus", }, - /** Lookup592: pallet_assets::types::AssetStatus */ + /** Lookup593: pallet_assets::types::AssetStatus */ PalletAssetsAssetStatus: { _enum: ["Live", "Frozen", "Destroying"], }, - /** Lookup594: pallet_assets::types::AssetAccount */ + /** Lookup595: pallet_assets::types::AssetAccount */ PalletAssetsAssetAccount: { balance: "u128", status: "PalletAssetsAccountStatus", reason: "PalletAssetsExistenceReason", extra: "Null", }, - /** Lookup595: pallet_assets::types::AccountStatus */ + /** Lookup596: pallet_assets::types::AccountStatus */ PalletAssetsAccountStatus: { _enum: ["Liquid", "Frozen", "Blocked"], }, - /** Lookup596: pallet_assets::types::ExistenceReason */ + /** Lookup597: pallet_assets::types::ExistenceReason */ PalletAssetsExistenceReason: { _enum: { Consumer: "Null", @@ -5409,13 +5410,13 @@ export default { DepositFrom: "(AccountId20,u128)", }, }, - /** Lookup598: pallet_assets::types::Approval */ + /** Lookup599: pallet_assets::types::Approval */ PalletAssetsApproval: { amount: "u128", deposit: "u128", }, /** - * Lookup599: pallet_assets::types::AssetMetadata> */ PalletAssetsAssetMetadata: { @@ -5425,7 +5426,7 @@ export default { decimals: "u8", isFrozen: "bool", }, - /** Lookup601: pallet_assets::pallet::Error */ + /** Lookup602: pallet_assets::pallet::Error */ PalletAssetsError: { _enum: [ "BalanceLow", @@ -5450,7 +5451,7 @@ export default { "CallbackFailed", ], }, - /** Lookup602: orml_xtokens::module::Error */ + /** Lookup603: orml_xtokens::module::Error */ OrmlXtokensModuleError: { _enum: [ "AssetHasNoReserve", @@ -5475,7 +5476,7 @@ export default { "RateLimited", ], }, - /** Lookup603: pallet_asset_manager::pallet::Error */ + /** Lookup604: pallet_asset_manager::pallet::Error */ PalletAssetManagerError: { _enum: [ "ErrorCreatingAsset", @@ -5488,11 +5489,11 @@ export default { "NonExistentLocalAsset", ], }, - /** Lookup604: pallet_migrations::pallet::Error */ + /** Lookup605: pallet_migrations::pallet::Error */ PalletMigrationsError: { _enum: ["PreimageMissing", "WrongUpperBound", "PreimageIsTooBig", "PreimageAlreadyExists"], }, - /** Lookup605: pallet_xcm_transactor::relay_indices::RelayChainIndices */ + /** Lookup606: pallet_xcm_transactor::relay_indices::RelayChainIndices */ PalletXcmTransactorRelayIndicesRelayChainIndices: { staking: "u8", utility: "u8", @@ -5513,7 +5514,7 @@ export default { closeChannel: "u8", cancelOpenRequest: "u8", }, - /** Lookup606: pallet_xcm_transactor::pallet::Error */ + /** Lookup607: pallet_xcm_transactor::pallet::Error */ PalletXcmTransactorError: { _enum: [ "IndexAlreadyClaimed", @@ -5545,18 +5546,18 @@ export default { "RefundNotSupportedWithTransactInfo", ], }, - /** Lookup607: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ + /** Lookup608: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCollatorPoolInfo: { orbiters: "Vec", maybeCurrentOrbiter: "Option", nextOrbiter: "u32", }, - /** Lookup609: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ + /** Lookup610: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCurrentOrbiter: { accountId: "AccountId20", removed: "bool", }, - /** Lookup610: pallet_moonbeam_orbiters::pallet::Error */ + /** Lookup611: pallet_moonbeam_orbiters::pallet::Error */ PalletMoonbeamOrbitersError: { _enum: [ "CollatorAlreadyAdded", @@ -5570,16 +5571,16 @@ export default { "OrbiterStillInAPool", ], }, - /** Lookup611: pallet_ethereum_xcm::pallet::Error */ + /** Lookup612: pallet_ethereum_xcm::pallet::Error */ PalletEthereumXcmError: { _enum: ["EthereumXcmExecutionSuspended"], }, - /** Lookup612: pallet_randomness::types::RequestState */ + /** Lookup613: pallet_randomness::types::RequestState */ PalletRandomnessRequestState: { request: "PalletRandomnessRequest", deposit: "u128", }, - /** Lookup613: pallet_randomness::types::Request> */ + /** Lookup614: pallet_randomness::types::Request> */ PalletRandomnessRequest: { refundAddress: "H160", contractAddress: "H160", @@ -5589,26 +5590,26 @@ export default { salt: "H256", info: "PalletRandomnessRequestInfo", }, - /** Lookup614: pallet_randomness::types::RequestInfo */ + /** Lookup615: pallet_randomness::types::RequestInfo */ PalletRandomnessRequestInfo: { _enum: { BabeEpoch: "(u64,u64)", Local: "(u32,u32)", }, }, - /** Lookup615: pallet_randomness::types::RequestType */ + /** Lookup616: pallet_randomness::types::RequestType */ PalletRandomnessRequestType: { _enum: { BabeEpoch: "u64", Local: "u32", }, }, - /** Lookup616: pallet_randomness::types::RandomnessResult */ + /** Lookup617: pallet_randomness::types::RandomnessResult */ PalletRandomnessRandomnessResult: { randomness: "Option", requestCount: "u64", }, - /** Lookup617: pallet_randomness::pallet::Error */ + /** Lookup618: pallet_randomness::pallet::Error */ PalletRandomnessError: { _enum: [ "RequestCounterOverflowed", @@ -5625,7 +5626,7 @@ export default { "RandomnessResultNotFilled", ], }, - /** Lookup619: pallet_collective::Votes */ + /** Lookup620: pallet_collective::Votes */ PalletCollectiveVotes: { index: "u32", threshold: "u32", @@ -5633,7 +5634,7 @@ export default { nays: "Vec", end: "u32", }, - /** Lookup620: pallet_collective::pallet::Error */ + /** Lookup621: pallet_collective::pallet::Error */ PalletCollectiveError: { _enum: [ "NotMember", @@ -5650,7 +5651,7 @@ export default { ], }, /** - * Lookup622: pallet_conviction_voting::vote::Voting */ PalletConvictionVotingVoteVoting: { @@ -5659,20 +5660,20 @@ export default { Delegating: "PalletConvictionVotingVoteDelegating", }, }, - /** Lookup623: pallet_conviction_voting::vote::Casting */ + /** Lookup624: pallet_conviction_voting::vote::Casting */ PalletConvictionVotingVoteCasting: { votes: "Vec<(u32,PalletConvictionVotingVoteAccountVote)>", delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup627: pallet_conviction_voting::types::Delegations */ + /** Lookup628: pallet_conviction_voting::types::Delegations */ PalletConvictionVotingDelegations: { votes: "u128", capital: "u128", }, - /** Lookup628: pallet_conviction_voting::vote::PriorLock */ + /** Lookup629: pallet_conviction_voting::vote::PriorLock */ PalletConvictionVotingVotePriorLock: "(u32,u128)", - /** Lookup629: pallet_conviction_voting::vote::Delegating */ + /** Lookup630: pallet_conviction_voting::vote::Delegating */ PalletConvictionVotingVoteDelegating: { balance: "u128", target: "AccountId20", @@ -5680,7 +5681,7 @@ export default { delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup633: pallet_conviction_voting::pallet::Error */ + /** Lookup634: pallet_conviction_voting::pallet::Error */ PalletConvictionVotingError: { _enum: [ "NotOngoing", @@ -5698,7 +5699,7 @@ export default { ], }, /** - * Lookup634: pallet_referenda::types::ReferendumInfo, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5714,7 +5715,7 @@ export default { }, }, /** - * Lookup635: pallet_referenda::types::ReferendumStatus, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5732,17 +5733,17 @@ export default { inQueue: "bool", alarm: "Option<(u32,(u32,u32))>", }, - /** Lookup636: pallet_referenda::types::Deposit */ + /** Lookup637: pallet_referenda::types::Deposit */ PalletReferendaDeposit: { who: "AccountId20", amount: "u128", }, - /** Lookup639: pallet_referenda::types::DecidingStatus */ + /** Lookup640: pallet_referenda::types::DecidingStatus */ PalletReferendaDecidingStatus: { since: "u32", confirming: "Option", }, - /** Lookup647: pallet_referenda::types::TrackInfo */ + /** Lookup648: pallet_referenda::types::TrackInfo */ PalletReferendaTrackInfo: { name: "Text", maxDeciding: "u32", @@ -5754,7 +5755,7 @@ export default { minApproval: "PalletReferendaCurve", minSupport: "PalletReferendaCurve", }, - /** Lookup648: pallet_referenda::types::Curve */ + /** Lookup649: pallet_referenda::types::Curve */ PalletReferendaCurve: { _enum: { LinearDecreasing: { @@ -5775,7 +5776,7 @@ export default { }, }, }, - /** Lookup651: pallet_referenda::pallet::Error */ + /** Lookup652: pallet_referenda::pallet::Error */ PalletReferendaError: { _enum: [ "NotOngoing", @@ -5794,7 +5795,7 @@ export default { "PreimageStoredWithDifferentLength", ], }, - /** Lookup652: pallet_preimage::OldRequestStatus */ + /** Lookup653: pallet_preimage::OldRequestStatus */ PalletPreimageOldRequestStatus: { _enum: { Unrequested: { @@ -5809,7 +5810,7 @@ export default { }, }, /** - * Lookup655: pallet_preimage::RequestStatus> */ PalletPreimageRequestStatus: { @@ -5825,7 +5826,7 @@ export default { }, }, }, - /** Lookup661: pallet_preimage::pallet::Error */ + /** Lookup662: pallet_preimage::pallet::Error */ PalletPreimageError: { _enum: [ "TooBig", @@ -5838,7 +5839,7 @@ export default { "TooFew", ], }, - /** Lookup662: pallet_whitelist::pallet::Error */ + /** Lookup663: pallet_whitelist::pallet::Error */ PalletWhitelistError: { _enum: [ "UnavailablePreImage", @@ -5848,14 +5849,14 @@ export default { "CallAlreadyWhitelisted", ], }, - /** Lookup666: pallet_multisig::Multisig */ + /** Lookup667: pallet_multisig::Multisig */ PalletMultisigMultisig: { when: "PalletMultisigTimepoint", deposit: "u128", depositor: "AccountId20", approvals: "Vec", }, - /** Lookup668: pallet_multisig::pallet::Error */ + /** Lookup669: pallet_multisig::pallet::Error */ PalletMultisigError: { _enum: [ "MinimumThreshold", @@ -5874,7 +5875,7 @@ export default { "AlreadyStored", ], }, - /** Lookup671: pallet_moonbeam_lazy_migrations::pallet::Error */ + /** Lookup672: pallet_moonbeam_lazy_migrations::pallet::Error */ PalletMoonbeamLazyMigrationsError: { _enum: [ "LimitCannotBeZero", @@ -5884,11 +5885,11 @@ export default { "ContractNotExist", ], }, - /** Lookup673: pallet_precompile_benchmarks::pallet::Error */ + /** Lookup674: pallet_precompile_benchmarks::pallet::Error */ PalletPrecompileBenchmarksError: { _enum: ["BenchmarkError"], }, - /** Lookup674: pallet_message_queue::BookState */ + /** Lookup675: pallet_message_queue::BookState */ PalletMessageQueueBookState: { _alias: { size_: "size", @@ -5900,12 +5901,12 @@ export default { messageCount: "u64", size_: "u64", }, - /** Lookup676: pallet_message_queue::Neighbours */ + /** Lookup677: pallet_message_queue::Neighbours */ PalletMessageQueueNeighbours: { prev: "CumulusPrimitivesCoreAggregateMessageOrigin", next: "CumulusPrimitivesCoreAggregateMessageOrigin", }, - /** Lookup678: pallet_message_queue::Page */ + /** Lookup679: pallet_message_queue::Page */ PalletMessageQueuePage: { remaining: "u32", remainingSize: "u32", @@ -5914,7 +5915,7 @@ export default { last: "u32", heap: "Bytes", }, - /** Lookup680: pallet_message_queue::pallet::Error */ + /** Lookup681: pallet_message_queue::pallet::Error */ PalletMessageQueueError: { _enum: [ "NotReapable", @@ -5928,19 +5929,19 @@ export default { "RecursiveDisallowed", ], }, - /** Lookup681: pallet_emergency_para_xcm::XcmMode */ + /** Lookup682: pallet_emergency_para_xcm::XcmMode */ PalletEmergencyParaXcmXcmMode: { _enum: ["Normal", "Paused"], }, - /** Lookup682: pallet_emergency_para_xcm::pallet::Error */ + /** Lookup683: pallet_emergency_para_xcm::pallet::Error */ PalletEmergencyParaXcmError: { _enum: ["NotInPausedMode"], }, - /** Lookup684: pallet_moonbeam_foreign_assets::AssetStatus */ + /** Lookup685: pallet_moonbeam_foreign_assets::AssetStatus */ PalletMoonbeamForeignAssetsAssetStatus: { _enum: ["Active", "FrozenXcmDepositAllowed", "FrozenXcmDepositForbidden"], }, - /** Lookup685: pallet_moonbeam_foreign_assets::pallet::Error */ + /** Lookup686: pallet_moonbeam_foreign_assets::pallet::Error */ PalletMoonbeamForeignAssetsError: { _enum: [ "AssetAlreadyExists", @@ -5959,7 +5960,7 @@ export default { "TooManyForeignAssets", ], }, - /** Lookup687: pallet_xcm_weight_trader::pallet::Error */ + /** Lookup688: pallet_xcm_weight_trader::pallet::Error */ PalletXcmWeightTraderError: { _enum: [ "AssetAlreadyAdded", @@ -5970,30 +5971,30 @@ export default { "PriceCannotBeZero", ], }, - /** Lookup690: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ + /** Lookup691: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ FrameSystemExtensionsCheckNonZeroSender: "Null", - /** Lookup691: frame_system::extensions::check_spec_version::CheckSpecVersion */ + /** Lookup692: frame_system::extensions::check_spec_version::CheckSpecVersion */ FrameSystemExtensionsCheckSpecVersion: "Null", - /** Lookup692: frame_system::extensions::check_tx_version::CheckTxVersion */ + /** Lookup693: frame_system::extensions::check_tx_version::CheckTxVersion */ FrameSystemExtensionsCheckTxVersion: "Null", - /** Lookup693: frame_system::extensions::check_genesis::CheckGenesis */ + /** Lookup694: frame_system::extensions::check_genesis::CheckGenesis */ FrameSystemExtensionsCheckGenesis: "Null", - /** Lookup696: frame_system::extensions::check_nonce::CheckNonce */ + /** Lookup697: frame_system::extensions::check_nonce::CheckNonce */ FrameSystemExtensionsCheckNonce: "Compact", - /** Lookup697: frame_system::extensions::check_weight::CheckWeight */ + /** Lookup698: frame_system::extensions::check_weight::CheckWeight */ FrameSystemExtensionsCheckWeight: "Null", - /** Lookup698: pallet_transaction_payment::ChargeTransactionPayment */ + /** Lookup699: pallet_transaction_payment::ChargeTransactionPayment */ PalletTransactionPaymentChargeTransactionPayment: "Compact", - /** Lookup699: frame_metadata_hash_extension::CheckMetadataHash */ + /** Lookup700: frame_metadata_hash_extension::CheckMetadataHash */ FrameMetadataHashExtensionCheckMetadataHash: { mode: "FrameMetadataHashExtensionMode", }, - /** Lookup700: frame_metadata_hash_extension::Mode */ + /** Lookup701: frame_metadata_hash_extension::Mode */ FrameMetadataHashExtensionMode: { _enum: ["Disabled", "Enabled"], }, - /** Lookup701: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ + /** Lookup702: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: "Null", - /** Lookup703: moonbase_runtime::Runtime */ + /** Lookup704: moonbase_runtime::Runtime */ MoonbaseRuntimeRuntime: "Null", }; diff --git a/typescript-api/src/moonbase/interfaces/registry.ts b/typescript-api/src/moonbase/interfaces/registry.ts index 472904a7dd..264971bd12 100644 --- a/typescript-api/src/moonbase/interfaces/registry.ts +++ b/typescript-api/src/moonbase/interfaces/registry.ts @@ -222,8 +222,8 @@ import type { PalletParachainStakingDelegatorStatus, PalletParachainStakingError, PalletParachainStakingEvent, + PalletParachainStakingInflationDistributionAccount, PalletParachainStakingInflationInflationInfo, - PalletParachainStakingParachainBondConfig, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, PalletParachainStakingSetOrderedSet, @@ -623,8 +623,8 @@ declare module "@polkadot/types/types/registry" { PalletParachainStakingDelegatorStatus: PalletParachainStakingDelegatorStatus; PalletParachainStakingError: PalletParachainStakingError; PalletParachainStakingEvent: PalletParachainStakingEvent; + PalletParachainStakingInflationDistributionAccount: PalletParachainStakingInflationDistributionAccount; PalletParachainStakingInflationInflationInfo: PalletParachainStakingInflationInflationInfo; - PalletParachainStakingParachainBondConfig: PalletParachainStakingParachainBondConfig; PalletParachainStakingRoundInfo: PalletParachainStakingRoundInfo; PalletParachainStakingSetBoundedOrderedSet: PalletParachainStakingSetBoundedOrderedSet; PalletParachainStakingSetOrderedSet: PalletParachainStakingSetOrderedSet; diff --git a/typescript-api/src/moonbase/interfaces/types-lookup.ts b/typescript-api/src/moonbase/interfaces/types-lookup.ts index 6665837d18..c42a231ca6 100644 --- a/typescript-api/src/moonbase/interfaces/types-lookup.ts +++ b/typescript-api/src/moonbase/interfaces/types-lookup.ts @@ -745,20 +745,16 @@ declare module "@polkadot/types/lookup" { readonly account: AccountId20; readonly rewards: u128; } & Struct; - readonly isReservedForParachainBond: boolean; - readonly asReservedForParachainBond: { + readonly isInflationDistributed: boolean; + readonly asInflationDistributed: { + readonly index: u32; readonly account: AccountId20; readonly value: u128; } & Struct; - readonly isParachainBondAccountSet: boolean; - readonly asParachainBondAccountSet: { - readonly old: AccountId20; - readonly new_: AccountId20; - } & Struct; - readonly isParachainBondReservePercentSet: boolean; - readonly asParachainBondReservePercentSet: { - readonly old: Percent; - readonly new_: Percent; + readonly isInflationDistributionConfigUpdated: boolean; + readonly asInflationDistributionConfigUpdated: { + readonly old: Vec; + readonly new_: Vec; } & Struct; readonly isInflationSet: boolean; readonly asInflationSet: { @@ -833,9 +829,8 @@ declare module "@polkadot/types/lookup" { | "Delegation" | "DelegatorLeftCandidate" | "Rewarded" - | "ReservedForParachainBond" - | "ParachainBondAccountSet" - | "ParachainBondReservePercentSet" + | "InflationDistributed" + | "InflationDistributionConfigUpdated" | "InflationSet" | "StakeExpectationsSet" | "TotalSelectedSet" @@ -870,7 +865,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AddedToTop" | "AddedToBottom"; } - /** @name PalletSchedulerEvent (61) */ + /** @name PalletParachainStakingInflationDistributionAccount (61) */ + interface PalletParachainStakingInflationDistributionAccount extends Struct { + readonly account: AccountId20; + readonly percent: Percent; + } + + /** @name PalletSchedulerEvent (63) */ interface PalletSchedulerEvent extends Enum { readonly isScheduled: boolean; readonly asScheduled: { @@ -932,7 +933,7 @@ declare module "@polkadot/types/lookup" { | "PermanentlyOverweight"; } - /** @name PalletTreasuryEvent (63) */ + /** @name PalletTreasuryEvent (65) */ interface PalletTreasuryEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -1020,14 +1021,14 @@ declare module "@polkadot/types/lookup" { | "SpendProcessed"; } - /** @name PalletAuthorSlotFilterEvent (64) */ + /** @name PalletAuthorSlotFilterEvent (66) */ interface PalletAuthorSlotFilterEvent extends Enum { readonly isEligibleUpdated: boolean; readonly asEligibleUpdated: u32; readonly type: "EligibleUpdated"; } - /** @name PalletCrowdloanRewardsEvent (66) */ + /** @name PalletCrowdloanRewardsEvent (68) */ interface PalletCrowdloanRewardsEvent extends Enum { readonly isInitialPaymentMade: boolean; readonly asInitialPaymentMade: ITuple<[AccountId20, u128]>; @@ -1052,7 +1053,7 @@ declare module "@polkadot/types/lookup" { | "InitializedAccountWithNotEnoughContribution"; } - /** @name PalletAuthorMappingEvent (67) */ + /** @name PalletAuthorMappingEvent (69) */ interface PalletAuthorMappingEvent extends Enum { readonly isKeysRegistered: boolean; readonly asKeysRegistered: { @@ -1075,13 +1076,13 @@ declare module "@polkadot/types/lookup" { readonly type: "KeysRegistered" | "KeysRemoved" | "KeysRotated"; } - /** @name NimbusPrimitivesNimbusCryptoPublic (68) */ + /** @name NimbusPrimitivesNimbusCryptoPublic (70) */ interface NimbusPrimitivesNimbusCryptoPublic extends U8aFixed {} - /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (69) */ + /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (71) */ interface SessionKeysPrimitivesVrfVrfCryptoPublic extends U8aFixed {} - /** @name PalletProxyEvent (70) */ + /** @name PalletProxyEvent (72) */ interface PalletProxyEvent extends Enum { readonly isProxyExecuted: boolean; readonly asProxyExecuted: { @@ -1117,7 +1118,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProxyExecuted" | "PureCreated" | "Announced" | "ProxyAdded" | "ProxyRemoved"; } - /** @name MoonbaseRuntimeProxyType (71) */ + /** @name MoonbaseRuntimeProxyType (73) */ interface MoonbaseRuntimeProxyType extends Enum { readonly isAny: boolean; readonly isNonTransfer: boolean; @@ -1138,7 +1139,7 @@ declare module "@polkadot/types/lookup" { | "IdentityJudgement"; } - /** @name PalletMaintenanceModeEvent (73) */ + /** @name PalletMaintenanceModeEvent (75) */ interface PalletMaintenanceModeEvent extends Enum { readonly isEnteredMaintenanceMode: boolean; readonly isNormalOperationResumed: boolean; @@ -1157,7 +1158,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletIdentityEvent (74) */ + /** @name PalletIdentityEvent (76) */ interface PalletIdentityEvent extends Enum { readonly isIdentitySet: boolean; readonly asIdentitySet: { @@ -1263,7 +1264,7 @@ declare module "@polkadot/types/lookup" { | "DanglingUsernameRemoved"; } - /** @name CumulusPalletXcmpQueueEvent (76) */ + /** @name CumulusPalletXcmpQueueEvent (78) */ interface CumulusPalletXcmpQueueEvent extends Enum { readonly isXcmpMessageSent: boolean; readonly asXcmpMessageSent: { @@ -1272,7 +1273,7 @@ declare module "@polkadot/types/lookup" { readonly type: "XcmpMessageSent"; } - /** @name CumulusPalletXcmEvent (77) */ + /** @name CumulusPalletXcmEvent (79) */ interface CumulusPalletXcmEvent extends Enum { readonly isInvalidFormat: boolean; readonly asInvalidFormat: U8aFixed; @@ -1283,7 +1284,7 @@ declare module "@polkadot/types/lookup" { readonly type: "InvalidFormat" | "UnsupportedVersion" | "ExecutedDownward"; } - /** @name StagingXcmV4TraitsOutcome (78) */ + /** @name StagingXcmV4TraitsOutcome (80) */ interface StagingXcmV4TraitsOutcome extends Enum { readonly isComplete: boolean; readonly asComplete: { @@ -1301,7 +1302,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Complete" | "Incomplete" | "Error"; } - /** @name XcmV3TraitsError (79) */ + /** @name XcmV3TraitsError (81) */ interface XcmV3TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -1388,7 +1389,7 @@ declare module "@polkadot/types/lookup" { | "ExceedsStackLimit"; } - /** @name CumulusPalletDmpQueueEvent (80) */ + /** @name CumulusPalletDmpQueueEvent (82) */ interface CumulusPalletDmpQueueEvent extends Enum { readonly isStartedExport: boolean; readonly isExported: boolean; @@ -1433,7 +1434,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmEvent (81) */ + /** @name PalletXcmEvent (83) */ interface PalletXcmEvent extends Enum { readonly isAttempted: boolean; readonly asAttempted: { @@ -1598,13 +1599,13 @@ declare module "@polkadot/types/lookup" { | "VersionMigrationFinished"; } - /** @name StagingXcmV4Location (82) */ + /** @name StagingXcmV4Location (84) */ interface StagingXcmV4Location extends Struct { readonly parents: u8; readonly interior: StagingXcmV4Junctions; } - /** @name StagingXcmV4Junctions (83) */ + /** @name StagingXcmV4Junctions (85) */ interface StagingXcmV4Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -1626,7 +1627,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name StagingXcmV4Junction (85) */ + /** @name StagingXcmV4Junction (87) */ interface StagingXcmV4Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -1675,7 +1676,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name StagingXcmV4JunctionNetworkId (88) */ + /** @name StagingXcmV4JunctionNetworkId (90) */ interface StagingXcmV4JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -1710,7 +1711,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3JunctionBodyId (90) */ + /** @name XcmV3JunctionBodyId (92) */ interface XcmV3JunctionBodyId extends Enum { readonly isUnit: boolean; readonly isMoniker: boolean; @@ -1737,7 +1738,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV3JunctionBodyPart (91) */ + /** @name XcmV3JunctionBodyPart (93) */ interface XcmV3JunctionBodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -1762,10 +1763,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name StagingXcmV4Xcm (99) */ + /** @name StagingXcmV4Xcm (101) */ interface StagingXcmV4Xcm extends Vec {} - /** @name StagingXcmV4Instruction (101) */ + /** @name StagingXcmV4Instruction (103) */ interface StagingXcmV4Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: StagingXcmV4AssetAssets; @@ -1995,19 +1996,19 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name StagingXcmV4AssetAssets (102) */ + /** @name StagingXcmV4AssetAssets (104) */ interface StagingXcmV4AssetAssets extends Vec {} - /** @name StagingXcmV4Asset (104) */ + /** @name StagingXcmV4Asset (106) */ interface StagingXcmV4Asset extends Struct { readonly id: StagingXcmV4AssetAssetId; readonly fun: StagingXcmV4AssetFungibility; } - /** @name StagingXcmV4AssetAssetId (105) */ + /** @name StagingXcmV4AssetAssetId (107) */ interface StagingXcmV4AssetAssetId extends StagingXcmV4Location {} - /** @name StagingXcmV4AssetFungibility (106) */ + /** @name StagingXcmV4AssetFungibility (108) */ interface StagingXcmV4AssetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -2016,7 +2017,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmV4AssetAssetInstance (107) */ + /** @name StagingXcmV4AssetAssetInstance (109) */ interface StagingXcmV4AssetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -2032,7 +2033,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name StagingXcmV4Response (110) */ + /** @name StagingXcmV4Response (112) */ interface StagingXcmV4Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -2054,7 +2055,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name StagingXcmV4PalletInfo (114) */ + /** @name StagingXcmV4PalletInfo (116) */ interface StagingXcmV4PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -2064,7 +2065,7 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3MaybeErrorCode (117) */ + /** @name XcmV3MaybeErrorCode (119) */ interface XcmV3MaybeErrorCode extends Enum { readonly isSuccess: boolean; readonly isError: boolean; @@ -2074,7 +2075,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Success" | "Error" | "TruncatedError"; } - /** @name XcmV2OriginKind (120) */ + /** @name XcmV2OriginKind (122) */ interface XcmV2OriginKind extends Enum { readonly isNative: boolean; readonly isSovereignAccount: boolean; @@ -2083,19 +2084,19 @@ declare module "@polkadot/types/lookup" { readonly type: "Native" | "SovereignAccount" | "Superuser" | "Xcm"; } - /** @name XcmDoubleEncoded (121) */ + /** @name XcmDoubleEncoded (123) */ interface XcmDoubleEncoded extends Struct { readonly encoded: Bytes; } - /** @name StagingXcmV4QueryResponseInfo (122) */ + /** @name StagingXcmV4QueryResponseInfo (124) */ interface StagingXcmV4QueryResponseInfo extends Struct { readonly destination: StagingXcmV4Location; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name StagingXcmV4AssetAssetFilter (123) */ + /** @name StagingXcmV4AssetAssetFilter (125) */ interface StagingXcmV4AssetAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: StagingXcmV4AssetAssets; @@ -2104,7 +2105,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name StagingXcmV4AssetWildAsset (124) */ + /** @name StagingXcmV4AssetWildAsset (126) */ interface StagingXcmV4AssetWildAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -2123,14 +2124,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name StagingXcmV4AssetWildFungibility (125) */ + /** @name StagingXcmV4AssetWildFungibility (127) */ interface StagingXcmV4AssetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3WeightLimit (126) */ + /** @name XcmV3WeightLimit (128) */ interface XcmV3WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -2138,7 +2139,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmVersionedAssets (127) */ + /** @name XcmVersionedAssets (129) */ interface XcmVersionedAssets extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiassetMultiAssets; @@ -2149,16 +2150,16 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2MultiassetMultiAssets (128) */ + /** @name XcmV2MultiassetMultiAssets (130) */ interface XcmV2MultiassetMultiAssets extends Vec {} - /** @name XcmV2MultiAsset (130) */ + /** @name XcmV2MultiAsset (132) */ interface XcmV2MultiAsset extends Struct { readonly id: XcmV2MultiassetAssetId; readonly fun: XcmV2MultiassetFungibility; } - /** @name XcmV2MultiassetAssetId (131) */ + /** @name XcmV2MultiassetAssetId (133) */ interface XcmV2MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: XcmV2MultiLocation; @@ -2167,13 +2168,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV2MultiLocation (132) */ + /** @name XcmV2MultiLocation (134) */ interface XcmV2MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV2MultilocationJunctions; } - /** @name XcmV2MultilocationJunctions (133) */ + /** @name XcmV2MultilocationJunctions (135) */ interface XcmV2MultilocationJunctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2220,7 +2221,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV2Junction (134) */ + /** @name XcmV2Junction (136) */ interface XcmV2Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2263,7 +2264,7 @@ declare module "@polkadot/types/lookup" { | "Plurality"; } - /** @name XcmV2NetworkId (135) */ + /** @name XcmV2NetworkId (137) */ interface XcmV2NetworkId extends Enum { readonly isAny: boolean; readonly isNamed: boolean; @@ -2273,7 +2274,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Any" | "Named" | "Polkadot" | "Kusama"; } - /** @name XcmV2BodyId (137) */ + /** @name XcmV2BodyId (139) */ interface XcmV2BodyId extends Enum { readonly isUnit: boolean; readonly isNamed: boolean; @@ -2300,7 +2301,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV2BodyPart (138) */ + /** @name XcmV2BodyPart (140) */ interface XcmV2BodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -2325,7 +2326,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name XcmV2MultiassetFungibility (139) */ + /** @name XcmV2MultiassetFungibility (141) */ interface XcmV2MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -2334,7 +2335,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2MultiassetAssetInstance (140) */ + /** @name XcmV2MultiassetAssetInstance (142) */ interface XcmV2MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -2352,16 +2353,16 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32" | "Blob"; } - /** @name XcmV3MultiassetMultiAssets (141) */ + /** @name XcmV3MultiassetMultiAssets (143) */ interface XcmV3MultiassetMultiAssets extends Vec {} - /** @name XcmV3MultiAsset (143) */ + /** @name XcmV3MultiAsset (145) */ interface XcmV3MultiAsset extends Struct { readonly id: XcmV3MultiassetAssetId; readonly fun: XcmV3MultiassetFungibility; } - /** @name XcmV3MultiassetAssetId (144) */ + /** @name XcmV3MultiassetAssetId (146) */ interface XcmV3MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: StagingXcmV3MultiLocation; @@ -2370,13 +2371,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name StagingXcmV3MultiLocation (145) */ + /** @name StagingXcmV3MultiLocation (147) */ interface StagingXcmV3MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV3Junctions; } - /** @name XcmV3Junctions (146) */ + /** @name XcmV3Junctions (148) */ interface XcmV3Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2423,7 +2424,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV3Junction (147) */ + /** @name XcmV3Junction (149) */ interface XcmV3Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2472,7 +2473,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name XcmV3JunctionNetworkId (149) */ + /** @name XcmV3JunctionNetworkId (151) */ interface XcmV3JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -2507,7 +2508,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3MultiassetFungibility (150) */ + /** @name XcmV3MultiassetFungibility (152) */ interface XcmV3MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -2516,7 +2517,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3MultiassetAssetInstance (151) */ + /** @name XcmV3MultiassetAssetInstance (153) */ interface XcmV3MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -2532,7 +2533,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name XcmVersionedLocation (152) */ + /** @name XcmVersionedLocation (154) */ interface XcmVersionedLocation extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiLocation; @@ -2543,7 +2544,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletAssetsEvent (153) */ + /** @name PalletAssetsEvent (155) */ interface PalletAssetsEvent extends Enum { readonly isCreated: boolean; readonly asCreated: { @@ -2705,7 +2706,7 @@ declare module "@polkadot/types/lookup" { | "Blocked"; } - /** @name OrmlXtokensModuleEvent (154) */ + /** @name OrmlXtokensModuleEvent (156) */ interface OrmlXtokensModuleEvent extends Enum { readonly isTransferredAssets: boolean; readonly asTransferredAssets: { @@ -2717,7 +2718,7 @@ declare module "@polkadot/types/lookup" { readonly type: "TransferredAssets"; } - /** @name PalletAssetManagerEvent (155) */ + /** @name PalletAssetManagerEvent (157) */ interface PalletAssetManagerEvent extends Enum { readonly isForeignAssetRegistered: boolean; readonly asForeignAssetRegistered: { @@ -2759,14 +2760,14 @@ declare module "@polkadot/types/lookup" { | "LocalAssetDestroyed"; } - /** @name MoonbaseRuntimeXcmConfigAssetType (156) */ + /** @name MoonbaseRuntimeXcmConfigAssetType (158) */ interface MoonbaseRuntimeXcmConfigAssetType extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV3MultiLocation; readonly type: "Xcm"; } - /** @name MoonbaseRuntimeAssetConfigAssetRegistrarMetadata (157) */ + /** @name MoonbaseRuntimeAssetConfigAssetRegistrarMetadata (159) */ interface MoonbaseRuntimeAssetConfigAssetRegistrarMetadata extends Struct { readonly name: Bytes; readonly symbol: Bytes; @@ -2774,7 +2775,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletMigrationsEvent (158) */ + /** @name PalletMigrationsEvent (160) */ interface PalletMigrationsEvent extends Enum { readonly isRuntimeUpgradeStarted: boolean; readonly isRuntimeUpgradeCompleted: boolean; @@ -2807,7 +2808,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletXcmTransactorEvent (159) */ + /** @name PalletXcmTransactorEvent (161) */ interface PalletXcmTransactorEvent extends Enum { readonly isTransactedDerivative: boolean; readonly asTransactedDerivative: { @@ -2877,14 +2878,14 @@ declare module "@polkadot/types/lookup" { | "HrmpManagementSent"; } - /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (160) */ + /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (162) */ interface PalletXcmTransactorRemoteTransactInfoWithMaxWeight extends Struct { readonly transactExtraWeight: SpWeightsWeightV2Weight; readonly maxWeight: SpWeightsWeightV2Weight; readonly transactExtraWeightSigned: Option; } - /** @name PalletXcmTransactorHrmpOperation (162) */ + /** @name PalletXcmTransactorHrmpOperation (164) */ interface PalletXcmTransactorHrmpOperation extends Enum { readonly isInitOpen: boolean; readonly asInitOpen: PalletXcmTransactorHrmpInitParams; @@ -2902,20 +2903,20 @@ declare module "@polkadot/types/lookup" { readonly type: "InitOpen" | "Accept" | "Close" | "Cancel"; } - /** @name PalletXcmTransactorHrmpInitParams (163) */ + /** @name PalletXcmTransactorHrmpInitParams (165) */ interface PalletXcmTransactorHrmpInitParams extends Struct { readonly paraId: u32; readonly proposedMaxCapacity: u32; readonly proposedMaxMessageSize: u32; } - /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (165) */ + /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (167) */ interface PolkadotParachainPrimitivesPrimitivesHrmpChannelId extends Struct { readonly sender: u32; readonly recipient: u32; } - /** @name PalletMoonbeamOrbitersEvent (166) */ + /** @name PalletMoonbeamOrbitersEvent (168) */ interface PalletMoonbeamOrbitersEvent extends Enum { readonly isOrbiterJoinCollatorPool: boolean; readonly asOrbiterJoinCollatorPool: { @@ -2956,7 +2957,7 @@ declare module "@polkadot/types/lookup" { | "OrbiterUnregistered"; } - /** @name PalletEthereumXcmEvent (167) */ + /** @name PalletEthereumXcmEvent (169) */ interface PalletEthereumXcmEvent extends Enum { readonly isExecutedFromXcm: boolean; readonly asExecutedFromXcm: { @@ -2966,7 +2967,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ExecutedFromXcm"; } - /** @name PalletRandomnessEvent (168) */ + /** @name PalletRandomnessEvent (170) */ interface PalletRandomnessEvent extends Enum { readonly isRandomnessRequestedBabeEpoch: boolean; readonly asRandomnessRequestedBabeEpoch: { @@ -3011,7 +3012,7 @@ declare module "@polkadot/types/lookup" { | "RequestExpirationExecuted"; } - /** @name PalletCollectiveEvent (169) */ + /** @name PalletCollectiveEvent (171) */ interface PalletCollectiveEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -3062,7 +3063,7 @@ declare module "@polkadot/types/lookup" { | "Closed"; } - /** @name PalletConvictionVotingEvent (170) */ + /** @name PalletConvictionVotingEvent (172) */ interface PalletConvictionVotingEvent extends Enum { readonly isDelegated: boolean; readonly asDelegated: ITuple<[AccountId20, AccountId20]>; @@ -3071,7 +3072,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Delegated" | "Undelegated"; } - /** @name PalletReferendaEvent (171) */ + /** @name PalletReferendaEvent (173) */ interface PalletReferendaEvent extends Enum { readonly isSubmitted: boolean; readonly asSubmitted: { @@ -3175,7 +3176,7 @@ declare module "@polkadot/types/lookup" { | "MetadataCleared"; } - /** @name FrameSupportPreimagesBounded (172) */ + /** @name FrameSupportPreimagesBounded (174) */ interface FrameSupportPreimagesBounded extends Enum { readonly isLegacy: boolean; readonly asLegacy: { @@ -3191,7 +3192,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Inline" | "Lookup"; } - /** @name FrameSystemCall (174) */ + /** @name FrameSystemCall (176) */ interface FrameSystemCall extends Enum { readonly isRemark: boolean; readonly asRemark: { @@ -3252,7 +3253,7 @@ declare module "@polkadot/types/lookup" { | "ApplyAuthorizedUpgrade"; } - /** @name PalletUtilityCall (178) */ + /** @name PalletUtilityCall (180) */ interface PalletUtilityCall extends Enum { readonly isBatch: boolean; readonly asBatch: { @@ -3290,7 +3291,7 @@ declare module "@polkadot/types/lookup" { | "WithWeight"; } - /** @name MoonbaseRuntimeOriginCaller (180) */ + /** @name MoonbaseRuntimeOriginCaller (182) */ interface MoonbaseRuntimeOriginCaller extends Enum { readonly isSystem: boolean; readonly asSystem: FrameSupportDispatchRawOrigin; @@ -3321,7 +3322,7 @@ declare module "@polkadot/types/lookup" { | "OpenTechCommitteeCollective"; } - /** @name FrameSupportDispatchRawOrigin (181) */ + /** @name FrameSupportDispatchRawOrigin (183) */ interface FrameSupportDispatchRawOrigin extends Enum { readonly isRoot: boolean; readonly isSigned: boolean; @@ -3330,14 +3331,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Root" | "Signed" | "None"; } - /** @name PalletEthereumRawOrigin (182) */ + /** @name PalletEthereumRawOrigin (184) */ interface PalletEthereumRawOrigin extends Enum { readonly isEthereumTransaction: boolean; readonly asEthereumTransaction: H160; readonly type: "EthereumTransaction"; } - /** @name CumulusPalletXcmOrigin (183) */ + /** @name CumulusPalletXcmOrigin (185) */ interface CumulusPalletXcmOrigin extends Enum { readonly isRelay: boolean; readonly isSiblingParachain: boolean; @@ -3345,7 +3346,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Relay" | "SiblingParachain"; } - /** @name PalletXcmOrigin (184) */ + /** @name PalletXcmOrigin (186) */ interface PalletXcmOrigin extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV4Location; @@ -3354,14 +3355,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Xcm" | "Response"; } - /** @name PalletEthereumXcmRawOrigin (185) */ + /** @name PalletEthereumXcmRawOrigin (187) */ interface PalletEthereumXcmRawOrigin extends Enum { readonly isXcmEthereumTransaction: boolean; readonly asXcmEthereumTransaction: H160; readonly type: "XcmEthereumTransaction"; } - /** @name PalletCollectiveRawOrigin (186) */ + /** @name PalletCollectiveRawOrigin (188) */ interface PalletCollectiveRawOrigin extends Enum { readonly isMembers: boolean; readonly asMembers: ITuple<[u32, u32]>; @@ -3371,7 +3372,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Members" | "Member" | "Phantom"; } - /** @name MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin (187) */ + /** @name MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin (189) */ interface MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin extends Enum { readonly isWhitelistedCaller: boolean; readonly isGeneralAdmin: boolean; @@ -3386,10 +3387,10 @@ declare module "@polkadot/types/lookup" { | "FastGeneralAdmin"; } - /** @name SpCoreVoid (189) */ + /** @name SpCoreVoid (191) */ type SpCoreVoid = Null; - /** @name PalletTimestampCall (190) */ + /** @name PalletTimestampCall (192) */ interface PalletTimestampCall extends Enum { readonly isSet: boolean; readonly asSet: { @@ -3398,7 +3399,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Set"; } - /** @name PalletBalancesCall (191) */ + /** @name PalletBalancesCall (193) */ interface PalletBalancesCall extends Enum { readonly isTransferAllowDeath: boolean; readonly asTransferAllowDeath: { @@ -3451,14 +3452,14 @@ declare module "@polkadot/types/lookup" { | "ForceAdjustTotalIssuance"; } - /** @name PalletBalancesAdjustmentDirection (193) */ + /** @name PalletBalancesAdjustmentDirection (195) */ interface PalletBalancesAdjustmentDirection extends Enum { readonly isIncrease: boolean; readonly isDecrease: boolean; readonly type: "Increase" | "Decrease"; } - /** @name PalletSudoCall (194) */ + /** @name PalletSudoCall (196) */ interface PalletSudoCall extends Enum { readonly isSudo: boolean; readonly asSudo: { @@ -3482,7 +3483,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Sudo" | "SudoUncheckedWeight" | "SetKey" | "SudoAs" | "RemoveKey"; } - /** @name CumulusPalletParachainSystemCall (195) */ + /** @name CumulusPalletParachainSystemCall (197) */ interface CumulusPalletParachainSystemCall extends Enum { readonly isSetValidationData: boolean; readonly asSetValidationData: { @@ -3508,7 +3509,7 @@ declare module "@polkadot/types/lookup" { | "EnactAuthorizedUpgrade"; } - /** @name CumulusPrimitivesParachainInherentParachainInherentData (196) */ + /** @name CumulusPrimitivesParachainInherentParachainInherentData (198) */ interface CumulusPrimitivesParachainInherentParachainInherentData extends Struct { readonly validationData: PolkadotPrimitivesV7PersistedValidationData; readonly relayChainState: SpTrieStorageProof; @@ -3516,7 +3517,7 @@ declare module "@polkadot/types/lookup" { readonly horizontalMessages: BTreeMap>; } - /** @name PolkadotPrimitivesV7PersistedValidationData (197) */ + /** @name PolkadotPrimitivesV7PersistedValidationData (199) */ interface PolkadotPrimitivesV7PersistedValidationData extends Struct { readonly parentHead: Bytes; readonly relayParentNumber: u32; @@ -3524,24 +3525,24 @@ declare module "@polkadot/types/lookup" { readonly maxPovSize: u32; } - /** @name SpTrieStorageProof (199) */ + /** @name SpTrieStorageProof (201) */ interface SpTrieStorageProof extends Struct { readonly trieNodes: BTreeSet; } - /** @name PolkadotCorePrimitivesInboundDownwardMessage (202) */ + /** @name PolkadotCorePrimitivesInboundDownwardMessage (204) */ interface PolkadotCorePrimitivesInboundDownwardMessage extends Struct { readonly sentAt: u32; readonly msg: Bytes; } - /** @name PolkadotCorePrimitivesInboundHrmpMessage (205) */ + /** @name PolkadotCorePrimitivesInboundHrmpMessage (207) */ interface PolkadotCorePrimitivesInboundHrmpMessage extends Struct { readonly sentAt: u32; readonly data: Bytes; } - /** @name PalletEvmCall (208) */ + /** @name PalletEvmCall (210) */ interface PalletEvmCall extends Enum { readonly isWithdraw: boolean; readonly asWithdraw: { @@ -3586,7 +3587,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Withdraw" | "Call" | "Create" | "Create2"; } - /** @name PalletEthereumCall (214) */ + /** @name PalletEthereumCall (216) */ interface PalletEthereumCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -3595,7 +3596,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Transact"; } - /** @name EthereumTransactionTransactionV2 (215) */ + /** @name EthereumTransactionTransactionV2 (217) */ interface EthereumTransactionTransactionV2 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumTransactionLegacyTransaction; @@ -3606,7 +3607,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumTransactionLegacyTransaction (216) */ + /** @name EthereumTransactionLegacyTransaction (218) */ interface EthereumTransactionLegacyTransaction extends Struct { readonly nonce: U256; readonly gasPrice: U256; @@ -3617,7 +3618,7 @@ declare module "@polkadot/types/lookup" { readonly signature: EthereumTransactionTransactionSignature; } - /** @name EthereumTransactionTransactionAction (217) */ + /** @name EthereumTransactionTransactionAction (219) */ interface EthereumTransactionTransactionAction extends Enum { readonly isCall: boolean; readonly asCall: H160; @@ -3625,14 +3626,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Call" | "Create"; } - /** @name EthereumTransactionTransactionSignature (218) */ + /** @name EthereumTransactionTransactionSignature (220) */ interface EthereumTransactionTransactionSignature extends Struct { readonly v: u64; readonly r: H256; readonly s: H256; } - /** @name EthereumTransactionEip2930Transaction (220) */ + /** @name EthereumTransactionEip2930Transaction (222) */ interface EthereumTransactionEip2930Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -3647,13 +3648,13 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name EthereumTransactionAccessListItem (222) */ + /** @name EthereumTransactionAccessListItem (224) */ interface EthereumTransactionAccessListItem extends Struct { readonly address: H160; readonly storageKeys: Vec; } - /** @name EthereumTransactionEip1559Transaction (223) */ + /** @name EthereumTransactionEip1559Transaction (225) */ interface EthereumTransactionEip1559Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -3669,7 +3670,7 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name PalletParachainStakingCall (224) */ + /** @name PalletParachainStakingCall (226) */ interface PalletParachainStakingCall extends Enum { readonly isSetStakingExpectations: boolean; readonly asSetStakingExpectations: { @@ -3807,6 +3808,10 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; readonly candidateCount: u32; } & Struct; + readonly isSetInflationDistributionConfig: boolean; + readonly asSetInflationDistributionConfig: { + readonly new_: Vec; + } & Struct; readonly type: | "SetStakingExpectations" | "SetInflation" @@ -3839,10 +3844,11 @@ declare module "@polkadot/types/lookup" { | "HotfixRemoveDelegationRequestsExitedCandidates" | "NotifyInactiveCollator" | "EnableMarkingOffline" - | "ForceJoinCandidates"; + | "ForceJoinCandidates" + | "SetInflationDistributionConfig"; } - /** @name PalletSchedulerCall (227) */ + /** @name PalletSchedulerCall (229) */ interface PalletSchedulerCall extends Enum { readonly isSchedule: boolean; readonly asSchedule: { @@ -3916,7 +3922,7 @@ declare module "@polkadot/types/lookup" { | "CancelRetryNamed"; } - /** @name PalletTreasuryCall (229) */ + /** @name PalletTreasuryCall (231) */ interface PalletTreasuryCall extends Enum { readonly isProposeSpend: boolean; readonly asProposeSpend: { @@ -3971,13 +3977,13 @@ declare module "@polkadot/types/lookup" { | "VoidSpend"; } - /** @name PalletAuthorInherentCall (231) */ + /** @name PalletAuthorInherentCall (233) */ interface PalletAuthorInherentCall extends Enum { readonly isKickOffAuthorshipValidation: boolean; readonly type: "KickOffAuthorshipValidation"; } - /** @name PalletAuthorSlotFilterCall (232) */ + /** @name PalletAuthorSlotFilterCall (234) */ interface PalletAuthorSlotFilterCall extends Enum { readonly isSetEligible: boolean; readonly asSetEligible: { @@ -3986,7 +3992,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetEligible"; } - /** @name PalletCrowdloanRewardsCall (233) */ + /** @name PalletCrowdloanRewardsCall (235) */ interface PalletCrowdloanRewardsCall extends Enum { readonly isAssociateNativeIdentity: boolean; readonly asAssociateNativeIdentity: { @@ -4022,7 +4028,7 @@ declare module "@polkadot/types/lookup" { | "InitializeRewardVec"; } - /** @name SpRuntimeMultiSignature (234) */ + /** @name SpRuntimeMultiSignature (236) */ interface SpRuntimeMultiSignature extends Enum { readonly isEd25519: boolean; readonly asEd25519: U8aFixed; @@ -4033,7 +4039,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ed25519" | "Sr25519" | "Ecdsa"; } - /** @name PalletAuthorMappingCall (241) */ + /** @name PalletAuthorMappingCall (243) */ interface PalletAuthorMappingCall extends Enum { readonly isAddAssociation: boolean; readonly asAddAssociation: { @@ -4061,7 +4067,7 @@ declare module "@polkadot/types/lookup" { | "SetKeys"; } - /** @name PalletProxyCall (242) */ + /** @name PalletProxyCall (244) */ interface PalletProxyCall extends Enum { readonly isProxy: boolean; readonly asProxy: { @@ -4131,14 +4137,14 @@ declare module "@polkadot/types/lookup" { | "ProxyAnnounced"; } - /** @name PalletMaintenanceModeCall (244) */ + /** @name PalletMaintenanceModeCall (246) */ interface PalletMaintenanceModeCall extends Enum { readonly isEnterMaintenanceMode: boolean; readonly isResumeNormalOperation: boolean; readonly type: "EnterMaintenanceMode" | "ResumeNormalOperation"; } - /** @name PalletIdentityCall (245) */ + /** @name PalletIdentityCall (247) */ interface PalletIdentityCall extends Enum { readonly isAddRegistrar: boolean; readonly asAddRegistrar: { @@ -4260,7 +4266,7 @@ declare module "@polkadot/types/lookup" { | "RemoveDanglingUsername"; } - /** @name PalletIdentityLegacyIdentityInfo (246) */ + /** @name PalletIdentityLegacyIdentityInfo (248) */ interface PalletIdentityLegacyIdentityInfo extends Struct { readonly additional: Vec>; readonly display: Data; @@ -4273,7 +4279,7 @@ declare module "@polkadot/types/lookup" { readonly twitter: Data; } - /** @name PalletIdentityJudgement (282) */ + /** @name PalletIdentityJudgement (284) */ interface PalletIdentityJudgement extends Enum { readonly isUnknown: boolean; readonly isFeePaid: boolean; @@ -4293,10 +4299,10 @@ declare module "@polkadot/types/lookup" { | "Erroneous"; } - /** @name AccountEthereumSignature (284) */ + /** @name AccountEthereumSignature (286) */ interface AccountEthereumSignature extends U8aFixed {} - /** @name CumulusPalletXcmpQueueCall (285) */ + /** @name CumulusPalletXcmpQueueCall (287) */ interface CumulusPalletXcmpQueueCall extends Enum { readonly isSuspendXcmExecution: boolean; readonly isResumeXcmExecution: boolean; @@ -4320,10 +4326,10 @@ declare module "@polkadot/types/lookup" { | "UpdateResumeThreshold"; } - /** @name CumulusPalletDmpQueueCall (286) */ + /** @name CumulusPalletDmpQueueCall (288) */ type CumulusPalletDmpQueueCall = Null; - /** @name PalletXcmCall (287) */ + /** @name PalletXcmCall (289) */ interface PalletXcmCall extends Enum { readonly isSend: boolean; readonly asSend: { @@ -4426,7 +4432,7 @@ declare module "@polkadot/types/lookup" { | "TransferAssetsUsingTypeAndThen"; } - /** @name XcmVersionedXcm (288) */ + /** @name XcmVersionedXcm (290) */ interface XcmVersionedXcm extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Xcm; @@ -4437,10 +4443,10 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2Xcm (289) */ + /** @name XcmV2Xcm (291) */ interface XcmV2Xcm extends Vec {} - /** @name XcmV2Instruction (291) */ + /** @name XcmV2Instruction (293) */ interface XcmV2Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV2MultiassetMultiAssets; @@ -4588,7 +4594,7 @@ declare module "@polkadot/types/lookup" { | "UnsubscribeVersion"; } - /** @name XcmV2Response (292) */ + /** @name XcmV2Response (294) */ interface XcmV2Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4600,7 +4606,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Null" | "Assets" | "ExecutionResult" | "Version"; } - /** @name XcmV2TraitsError (295) */ + /** @name XcmV2TraitsError (297) */ interface XcmV2TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -4659,7 +4665,7 @@ declare module "@polkadot/types/lookup" { | "WeightNotComputable"; } - /** @name XcmV2MultiassetMultiAssetFilter (296) */ + /** @name XcmV2MultiassetMultiAssetFilter (298) */ interface XcmV2MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV2MultiassetMultiAssets; @@ -4668,7 +4674,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV2MultiassetWildMultiAsset (297) */ + /** @name XcmV2MultiassetWildMultiAsset (299) */ interface XcmV2MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4679,14 +4685,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf"; } - /** @name XcmV2MultiassetWildFungibility (298) */ + /** @name XcmV2MultiassetWildFungibility (300) */ interface XcmV2MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2WeightLimit (299) */ + /** @name XcmV2WeightLimit (301) */ interface XcmV2WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -4694,10 +4700,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmV3Xcm (300) */ + /** @name XcmV3Xcm (302) */ interface XcmV3Xcm extends Vec {} - /** @name XcmV3Instruction (302) */ + /** @name XcmV3Instruction (304) */ interface XcmV3Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV3MultiassetMultiAssets; @@ -4927,7 +4933,7 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name XcmV3Response (303) */ + /** @name XcmV3Response (305) */ interface XcmV3Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4949,7 +4955,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name XcmV3PalletInfo (305) */ + /** @name XcmV3PalletInfo (307) */ interface XcmV3PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4959,14 +4965,14 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3QueryResponseInfo (309) */ + /** @name XcmV3QueryResponseInfo (311) */ interface XcmV3QueryResponseInfo extends Struct { readonly destination: StagingXcmV3MultiLocation; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name XcmV3MultiassetMultiAssetFilter (310) */ + /** @name XcmV3MultiassetMultiAssetFilter (312) */ interface XcmV3MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV3MultiassetMultiAssets; @@ -4975,7 +4981,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV3MultiassetWildMultiAsset (311) */ + /** @name XcmV3MultiassetWildMultiAsset (313) */ interface XcmV3MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4994,14 +5000,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name XcmV3MultiassetWildFungibility (312) */ + /** @name XcmV3MultiassetWildFungibility (314) */ interface XcmV3MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmExecutorAssetTransferTransferType (324) */ + /** @name StagingXcmExecutorAssetTransferTransferType (326) */ interface StagingXcmExecutorAssetTransferTransferType extends Enum { readonly isTeleport: boolean; readonly isLocalReserve: boolean; @@ -5011,7 +5017,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Teleport" | "LocalReserve" | "DestinationReserve" | "RemoteReserve"; } - /** @name XcmVersionedAssetId (325) */ + /** @name XcmVersionedAssetId (327) */ interface XcmVersionedAssetId extends Enum { readonly isV3: boolean; readonly asV3: XcmV3MultiassetAssetId; @@ -5020,7 +5026,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V3" | "V4"; } - /** @name PalletAssetsCall (326) */ + /** @name PalletAssetsCall (328) */ interface PalletAssetsCall extends Enum { readonly isCreate: boolean; readonly asCreate: { @@ -5234,7 +5240,7 @@ declare module "@polkadot/types/lookup" { | "Block"; } - /** @name OrmlXtokensModuleCall (327) */ + /** @name OrmlXtokensModuleCall (329) */ interface OrmlXtokensModuleCall extends Enum { readonly isTransfer: boolean; readonly asTransfer: { @@ -5287,7 +5293,7 @@ declare module "@polkadot/types/lookup" { | "TransferMultiassets"; } - /** @name MoonbaseRuntimeXcmConfigCurrencyId (328) */ + /** @name MoonbaseRuntimeXcmConfigCurrencyId (330) */ interface MoonbaseRuntimeXcmConfigCurrencyId extends Enum { readonly isSelfReserve: boolean; readonly isForeignAsset: boolean; @@ -5299,7 +5305,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SelfReserve" | "ForeignAsset" | "Erc20"; } - /** @name XcmVersionedAsset (329) */ + /** @name XcmVersionedAsset (331) */ interface XcmVersionedAsset extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiAsset; @@ -5310,7 +5316,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletAssetManagerCall (332) */ + /** @name PalletAssetManagerCall (334) */ interface PalletAssetManagerCall extends Enum { readonly isRegisterForeignAsset: boolean; readonly asRegisterForeignAsset: { @@ -5342,7 +5348,7 @@ declare module "@polkadot/types/lookup" { | "DestroyForeignAsset"; } - /** @name PalletXcmTransactorCall (333) */ + /** @name PalletXcmTransactorCall (335) */ interface PalletXcmTransactorCall extends Enum { readonly isRegister: boolean; readonly asRegister: { @@ -5419,19 +5425,19 @@ declare module "@polkadot/types/lookup" { | "HrmpManage"; } - /** @name MoonbaseRuntimeXcmConfigTransactors (334) */ + /** @name MoonbaseRuntimeXcmConfigTransactors (336) */ interface MoonbaseRuntimeXcmConfigTransactors extends Enum { readonly isRelay: boolean; readonly type: "Relay"; } - /** @name PalletXcmTransactorCurrencyPayment (335) */ + /** @name PalletXcmTransactorCurrencyPayment (337) */ interface PalletXcmTransactorCurrencyPayment extends Struct { readonly currency: PalletXcmTransactorCurrency; readonly feeAmount: Option; } - /** @name PalletXcmTransactorCurrency (336) */ + /** @name PalletXcmTransactorCurrency (338) */ interface PalletXcmTransactorCurrency extends Enum { readonly isAsCurrencyId: boolean; readonly asAsCurrencyId: MoonbaseRuntimeXcmConfigCurrencyId; @@ -5440,13 +5446,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsCurrencyId" | "AsMultiLocation"; } - /** @name PalletXcmTransactorTransactWeights (338) */ + /** @name PalletXcmTransactorTransactWeights (340) */ interface PalletXcmTransactorTransactWeights extends Struct { readonly transactRequiredWeightAtMost: SpWeightsWeightV2Weight; readonly overallWeight: Option; } - /** @name PalletMoonbeamOrbitersCall (340) */ + /** @name PalletMoonbeamOrbitersCall (342) */ interface PalletMoonbeamOrbitersCall extends Enum { readonly isCollatorAddOrbiter: boolean; readonly asCollatorAddOrbiter: { @@ -5483,7 +5489,7 @@ declare module "@polkadot/types/lookup" { | "RemoveCollator"; } - /** @name PalletEthereumXcmCall (341) */ + /** @name PalletEthereumXcmCall (343) */ interface PalletEthereumXcmCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -5510,7 +5516,7 @@ declare module "@polkadot/types/lookup" { | "ForceTransactAs"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (342) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (344) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransaction extends Enum { readonly isV1: boolean; readonly asV1: XcmPrimitivesEthereumXcmEthereumXcmTransactionV1; @@ -5519,7 +5525,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V1" | "V2"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (343) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (345) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 extends Struct { readonly gasLimit: U256; readonly feePayment: XcmPrimitivesEthereumXcmEthereumXcmFee; @@ -5529,7 +5535,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (344) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (346) */ interface XcmPrimitivesEthereumXcmEthereumXcmFee extends Enum { readonly isManual: boolean; readonly asManual: XcmPrimitivesEthereumXcmManualEthereumXcmFee; @@ -5537,13 +5543,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Manual" | "Auto"; } - /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (345) */ + /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (347) */ interface XcmPrimitivesEthereumXcmManualEthereumXcmFee extends Struct { readonly gasPrice: Option; readonly maxFeePerGas: Option; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (348) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (350) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 extends Struct { readonly gasLimit: U256; readonly action: EthereumTransactionTransactionAction; @@ -5552,13 +5558,13 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name PalletRandomnessCall (350) */ + /** @name PalletRandomnessCall (352) */ interface PalletRandomnessCall extends Enum { readonly isSetBabeRandomnessResults: boolean; readonly type: "SetBabeRandomnessResults"; } - /** @name PalletCollectiveCall (351) */ + /** @name PalletCollectiveCall (353) */ interface PalletCollectiveCall extends Enum { readonly isSetMembers: boolean; readonly asSetMembers: { @@ -5597,7 +5603,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetMembers" | "Execute" | "Propose" | "Vote" | "DisapproveProposal" | "Close"; } - /** @name PalletConvictionVotingCall (352) */ + /** @name PalletConvictionVotingCall (354) */ interface PalletConvictionVotingCall extends Enum { readonly isVote: boolean; readonly asVote: { @@ -5634,7 +5640,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Vote" | "Delegate" | "Undelegate" | "Unlock" | "RemoveVote" | "RemoveOtherVote"; } - /** @name PalletConvictionVotingVoteAccountVote (353) */ + /** @name PalletConvictionVotingVoteAccountVote (355) */ interface PalletConvictionVotingVoteAccountVote extends Enum { readonly isStandard: boolean; readonly asStandard: { @@ -5655,7 +5661,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Standard" | "Split" | "SplitAbstain"; } - /** @name PalletConvictionVotingConviction (355) */ + /** @name PalletConvictionVotingConviction (357) */ interface PalletConvictionVotingConviction extends Enum { readonly isNone: boolean; readonly isLocked1x: boolean; @@ -5674,7 +5680,7 @@ declare module "@polkadot/types/lookup" { | "Locked6x"; } - /** @name PalletReferendaCall (357) */ + /** @name PalletReferendaCall (359) */ interface PalletReferendaCall extends Enum { readonly isSubmit: boolean; readonly asSubmit: { @@ -5727,7 +5733,7 @@ declare module "@polkadot/types/lookup" { | "SetMetadata"; } - /** @name FrameSupportScheduleDispatchTime (358) */ + /** @name FrameSupportScheduleDispatchTime (360) */ interface FrameSupportScheduleDispatchTime extends Enum { readonly isAt: boolean; readonly asAt: u32; @@ -5736,7 +5742,7 @@ declare module "@polkadot/types/lookup" { readonly type: "At" | "After"; } - /** @name PalletPreimageCall (360) */ + /** @name PalletPreimageCall (362) */ interface PalletPreimageCall extends Enum { readonly isNotePreimage: boolean; readonly asNotePreimage: { @@ -5766,7 +5772,7 @@ declare module "@polkadot/types/lookup" { | "EnsureUpdated"; } - /** @name PalletWhitelistCall (361) */ + /** @name PalletWhitelistCall (363) */ interface PalletWhitelistCall extends Enum { readonly isWhitelistCall: boolean; readonly asWhitelistCall: { @@ -5793,7 +5799,7 @@ declare module "@polkadot/types/lookup" { | "DispatchWhitelistedCallWithPreimage"; } - /** @name PalletRootTestingCall (363) */ + /** @name PalletRootTestingCall (365) */ interface PalletRootTestingCall extends Enum { readonly isFillBlock: boolean; readonly asFillBlock: { @@ -5803,7 +5809,7 @@ declare module "@polkadot/types/lookup" { readonly type: "FillBlock" | "TriggerDefensive"; } - /** @name PalletMultisigCall (364) */ + /** @name PalletMultisigCall (366) */ interface PalletMultisigCall extends Enum { readonly isAsMultiThreshold1: boolean; readonly asAsMultiThreshold1: { @@ -5836,13 +5842,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsMultiThreshold1" | "AsMulti" | "ApproveAsMulti" | "CancelAsMulti"; } - /** @name PalletMultisigTimepoint (366) */ + /** @name PalletMultisigTimepoint (368) */ interface PalletMultisigTimepoint extends Struct { readonly height: u32; readonly index: u32; } - /** @name PalletMoonbeamLazyMigrationsCall (367) */ + /** @name PalletMoonbeamLazyMigrationsCall (369) */ interface PalletMoonbeamLazyMigrationsCall extends Enum { readonly isClearSuicidedStorage: boolean; readonly asClearSuicidedStorage: { @@ -5856,7 +5862,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ClearSuicidedStorage" | "CreateContractMetadata"; } - /** @name PalletMessageQueueCall (370) */ + /** @name PalletMessageQueueCall (372) */ interface PalletMessageQueueCall extends Enum { readonly isReapPage: boolean; readonly asReapPage: { @@ -5873,7 +5879,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ReapPage" | "ExecuteOverweight"; } - /** @name CumulusPrimitivesCoreAggregateMessageOrigin (371) */ + /** @name CumulusPrimitivesCoreAggregateMessageOrigin (373) */ interface CumulusPrimitivesCoreAggregateMessageOrigin extends Enum { readonly isHere: boolean; readonly isParent: boolean; @@ -5882,7 +5888,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "Parent" | "Sibling"; } - /** @name PalletEmergencyParaXcmCall (372) */ + /** @name PalletEmergencyParaXcmCall (374) */ interface PalletEmergencyParaXcmCall extends Enum { readonly isPausedToNormal: boolean; readonly isFastAuthorizeUpgrade: boolean; @@ -5892,7 +5898,7 @@ declare module "@polkadot/types/lookup" { readonly type: "PausedToNormal" | "FastAuthorizeUpgrade"; } - /** @name PalletMoonbeamForeignAssetsCall (373) */ + /** @name PalletMoonbeamForeignAssetsCall (375) */ interface PalletMoonbeamForeignAssetsCall extends Enum { readonly isCreateForeignAsset: boolean; readonly asCreateForeignAsset: { @@ -5923,7 +5929,7 @@ declare module "@polkadot/types/lookup" { | "UnfreezeForeignAsset"; } - /** @name PalletParametersCall (375) */ + /** @name PalletParametersCall (377) */ interface PalletParametersCall extends Enum { readonly isSetParameter: boolean; readonly asSetParameter: { @@ -5932,14 +5938,14 @@ declare module "@polkadot/types/lookup" { readonly type: "SetParameter"; } - /** @name MoonbaseRuntimeRuntimeParamsRuntimeParameters (376) */ + /** @name MoonbaseRuntimeRuntimeParamsRuntimeParameters (378) */ interface MoonbaseRuntimeRuntimeParamsRuntimeParameters extends Enum { readonly isRuntimeConfig: boolean; readonly asRuntimeConfig: MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters; readonly type: "RuntimeConfig"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters (377) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters (379) */ interface MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters extends Enum { readonly isFeesTreasuryProportion: boolean; readonly asFeesTreasuryProportion: ITuple< @@ -5951,10 +5957,10 @@ declare module "@polkadot/types/lookup" { readonly type: "FeesTreasuryProportion"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion (378) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion (380) */ type MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion = Null; - /** @name PalletXcmWeightTraderCall (380) */ + /** @name PalletXcmWeightTraderCall (382) */ interface PalletXcmWeightTraderCall extends Enum { readonly isAddAsset: boolean; readonly asAddAsset: { @@ -5986,17 +5992,17 @@ declare module "@polkadot/types/lookup" { | "RemoveAsset"; } - /** @name SpRuntimeBlakeTwo256 (381) */ + /** @name SpRuntimeBlakeTwo256 (383) */ type SpRuntimeBlakeTwo256 = Null; - /** @name PalletConvictionVotingTally (383) */ + /** @name PalletConvictionVotingTally (385) */ interface PalletConvictionVotingTally extends Struct { readonly ayes: u128; readonly nays: u128; readonly support: u128; } - /** @name PalletPreimageEvent (384) */ + /** @name PalletPreimageEvent (386) */ interface PalletPreimageEvent extends Enum { readonly isNoted: boolean; readonly asNoted: { @@ -6013,7 +6019,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Noted" | "Requested" | "Cleared"; } - /** @name PalletWhitelistEvent (385) */ + /** @name PalletWhitelistEvent (387) */ interface PalletWhitelistEvent extends Enum { readonly isCallWhitelisted: boolean; readonly asCallWhitelisted: { @@ -6034,25 +6040,25 @@ declare module "@polkadot/types/lookup" { readonly type: "CallWhitelisted" | "WhitelistedCallRemoved" | "WhitelistedCallDispatched"; } - /** @name FrameSupportDispatchPostDispatchInfo (387) */ + /** @name FrameSupportDispatchPostDispatchInfo (389) */ interface FrameSupportDispatchPostDispatchInfo extends Struct { readonly actualWeight: Option; readonly paysFee: FrameSupportDispatchPays; } - /** @name SpRuntimeDispatchErrorWithPostInfo (388) */ + /** @name SpRuntimeDispatchErrorWithPostInfo (390) */ interface SpRuntimeDispatchErrorWithPostInfo extends Struct { readonly postInfo: FrameSupportDispatchPostDispatchInfo; readonly error: SpRuntimeDispatchError; } - /** @name PalletRootTestingEvent (390) */ + /** @name PalletRootTestingEvent (392) */ interface PalletRootTestingEvent extends Enum { readonly isDefensiveTestCall: boolean; readonly type: "DefensiveTestCall"; } - /** @name PalletMultisigEvent (391) */ + /** @name PalletMultisigEvent (393) */ interface PalletMultisigEvent extends Enum { readonly isNewMultisig: boolean; readonly asNewMultisig: { @@ -6085,7 +6091,7 @@ declare module "@polkadot/types/lookup" { readonly type: "NewMultisig" | "MultisigApproval" | "MultisigExecuted" | "MultisigCancelled"; } - /** @name PalletMessageQueueEvent (392) */ + /** @name PalletMessageQueueEvent (394) */ interface PalletMessageQueueEvent extends Enum { readonly isProcessingFailed: boolean; readonly asProcessingFailed: { @@ -6115,7 +6121,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProcessingFailed" | "Processed" | "OverweightEnqueued" | "PageReaped"; } - /** @name FrameSupportMessagesProcessMessageError (393) */ + /** @name FrameSupportMessagesProcessMessageError (395) */ interface FrameSupportMessagesProcessMessageError extends Enum { readonly isBadFormat: boolean; readonly isCorrupt: boolean; @@ -6126,14 +6132,14 @@ declare module "@polkadot/types/lookup" { readonly type: "BadFormat" | "Corrupt" | "Unsupported" | "Overweight" | "Yield"; } - /** @name PalletEmergencyParaXcmEvent (394) */ + /** @name PalletEmergencyParaXcmEvent (396) */ interface PalletEmergencyParaXcmEvent extends Enum { readonly isEnteredPausedXcmMode: boolean; readonly isNormalXcmOperationResumed: boolean; readonly type: "EnteredPausedXcmMode" | "NormalXcmOperationResumed"; } - /** @name PalletMoonbeamForeignAssetsEvent (395) */ + /** @name PalletMoonbeamForeignAssetsEvent (397) */ interface PalletMoonbeamForeignAssetsEvent extends Enum { readonly isForeignAssetCreated: boolean; readonly asForeignAssetCreated: { @@ -6163,7 +6169,7 @@ declare module "@polkadot/types/lookup" { | "ForeignAssetUnfrozen"; } - /** @name PalletParametersEvent (396) */ + /** @name PalletParametersEvent (398) */ interface PalletParametersEvent extends Enum { readonly isUpdated: boolean; readonly asUpdated: { @@ -6174,34 +6180,34 @@ declare module "@polkadot/types/lookup" { readonly type: "Updated"; } - /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersKey (397) */ + /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersKey (399) */ interface MoonbaseRuntimeRuntimeParamsRuntimeParametersKey extends Enum { readonly isRuntimeConfig: boolean; readonly asRuntimeConfig: MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey; readonly type: "RuntimeConfig"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey (398) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey (400) */ interface MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey extends Enum { readonly isFeesTreasuryProportion: boolean; readonly type: "FeesTreasuryProportion"; } - /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersValue (400) */ + /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersValue (402) */ interface MoonbaseRuntimeRuntimeParamsRuntimeParametersValue extends Enum { readonly isRuntimeConfig: boolean; readonly asRuntimeConfig: MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue; readonly type: "RuntimeConfig"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue (401) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue (403) */ interface MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue extends Enum { readonly isFeesTreasuryProportion: boolean; readonly asFeesTreasuryProportion: Perbill; readonly type: "FeesTreasuryProportion"; } - /** @name PalletXcmWeightTraderEvent (402) */ + /** @name PalletXcmWeightTraderEvent (404) */ interface PalletXcmWeightTraderEvent extends Enum { readonly isSupportedAssetAdded: boolean; readonly asSupportedAssetAdded: { @@ -6233,7 +6239,7 @@ declare module "@polkadot/types/lookup" { | "SupportedAssetRemoved"; } - /** @name FrameSystemPhase (403) */ + /** @name FrameSystemPhase (405) */ interface FrameSystemPhase extends Enum { readonly isApplyExtrinsic: boolean; readonly asApplyExtrinsic: u32; @@ -6242,33 +6248,33 @@ declare module "@polkadot/types/lookup" { readonly type: "ApplyExtrinsic" | "Finalization" | "Initialization"; } - /** @name FrameSystemLastRuntimeUpgradeInfo (405) */ + /** @name FrameSystemLastRuntimeUpgradeInfo (407) */ interface FrameSystemLastRuntimeUpgradeInfo extends Struct { readonly specVersion: Compact; readonly specName: Text; } - /** @name FrameSystemCodeUpgradeAuthorization (406) */ + /** @name FrameSystemCodeUpgradeAuthorization (408) */ interface FrameSystemCodeUpgradeAuthorization extends Struct { readonly codeHash: H256; readonly checkVersion: bool; } - /** @name FrameSystemLimitsBlockWeights (407) */ + /** @name FrameSystemLimitsBlockWeights (409) */ interface FrameSystemLimitsBlockWeights extends Struct { readonly baseBlock: SpWeightsWeightV2Weight; readonly maxBlock: SpWeightsWeightV2Weight; readonly perClass: FrameSupportDispatchPerDispatchClassWeightsPerClass; } - /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (408) */ + /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (410) */ interface FrameSupportDispatchPerDispatchClassWeightsPerClass extends Struct { readonly normal: FrameSystemLimitsWeightsPerClass; readonly operational: FrameSystemLimitsWeightsPerClass; readonly mandatory: FrameSystemLimitsWeightsPerClass; } - /** @name FrameSystemLimitsWeightsPerClass (409) */ + /** @name FrameSystemLimitsWeightsPerClass (411) */ interface FrameSystemLimitsWeightsPerClass extends Struct { readonly baseExtrinsic: SpWeightsWeightV2Weight; readonly maxExtrinsic: Option; @@ -6276,25 +6282,25 @@ declare module "@polkadot/types/lookup" { readonly reserved: Option; } - /** @name FrameSystemLimitsBlockLength (410) */ + /** @name FrameSystemLimitsBlockLength (412) */ interface FrameSystemLimitsBlockLength extends Struct { readonly max: FrameSupportDispatchPerDispatchClassU32; } - /** @name FrameSupportDispatchPerDispatchClassU32 (411) */ + /** @name FrameSupportDispatchPerDispatchClassU32 (413) */ interface FrameSupportDispatchPerDispatchClassU32 extends Struct { readonly normal: u32; readonly operational: u32; readonly mandatory: u32; } - /** @name SpWeightsRuntimeDbWeight (412) */ + /** @name SpWeightsRuntimeDbWeight (414) */ interface SpWeightsRuntimeDbWeight extends Struct { readonly read: u64; readonly write: u64; } - /** @name SpVersionRuntimeVersion (413) */ + /** @name SpVersionRuntimeVersion (415) */ interface SpVersionRuntimeVersion extends Struct { readonly specName: Text; readonly implName: Text; @@ -6306,7 +6312,7 @@ declare module "@polkadot/types/lookup" { readonly stateVersion: u8; } - /** @name FrameSystemError (417) */ + /** @name FrameSystemError (419) */ interface FrameSystemError extends Enum { readonly isInvalidSpecName: boolean; readonly isSpecVersionNeedsToIncrease: boolean; @@ -6329,20 +6335,20 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletUtilityError (418) */ + /** @name PalletUtilityError (420) */ interface PalletUtilityError extends Enum { readonly isTooManyCalls: boolean; readonly type: "TooManyCalls"; } - /** @name PalletBalancesBalanceLock (420) */ + /** @name PalletBalancesBalanceLock (422) */ interface PalletBalancesBalanceLock extends Struct { readonly id: U8aFixed; readonly amount: u128; readonly reasons: PalletBalancesReasons; } - /** @name PalletBalancesReasons (421) */ + /** @name PalletBalancesReasons (423) */ interface PalletBalancesReasons extends Enum { readonly isFee: boolean; readonly isMisc: boolean; @@ -6350,32 +6356,32 @@ declare module "@polkadot/types/lookup" { readonly type: "Fee" | "Misc" | "All"; } - /** @name PalletBalancesReserveData (424) */ + /** @name PalletBalancesReserveData (426) */ interface PalletBalancesReserveData extends Struct { readonly id: U8aFixed; readonly amount: u128; } - /** @name MoonbaseRuntimeRuntimeHoldReason (428) */ + /** @name MoonbaseRuntimeRuntimeHoldReason (430) */ interface MoonbaseRuntimeRuntimeHoldReason extends Enum { readonly isPreimage: boolean; readonly asPreimage: PalletPreimageHoldReason; readonly type: "Preimage"; } - /** @name PalletPreimageHoldReason (429) */ + /** @name PalletPreimageHoldReason (431) */ interface PalletPreimageHoldReason extends Enum { readonly isPreimage: boolean; readonly type: "Preimage"; } - /** @name PalletBalancesIdAmount (432) */ + /** @name PalletBalancesIdAmount (434) */ interface PalletBalancesIdAmount extends Struct { readonly id: Null; readonly amount: u128; } - /** @name PalletBalancesError (434) */ + /** @name PalletBalancesError (436) */ interface PalletBalancesError extends Enum { readonly isVestingBalance: boolean; readonly isLiquidityRestrictions: boolean; @@ -6404,20 +6410,20 @@ declare module "@polkadot/types/lookup" { | "DeltaZero"; } - /** @name PalletSudoError (435) */ + /** @name PalletSudoError (437) */ interface PalletSudoError extends Enum { readonly isRequireSudo: boolean; readonly type: "RequireSudo"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (437) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (439) */ interface CumulusPalletParachainSystemUnincludedSegmentAncestor extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly paraHeadHash: Option; readonly consumedGoAheadSignal: Option; } - /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (438) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (440) */ interface CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth extends Struct { readonly umpMsgCount: u32; readonly umpTotalBytes: u32; @@ -6427,33 +6433,33 @@ declare module "@polkadot/types/lookup" { >; } - /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (440) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (442) */ interface CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate extends Struct { readonly msgCount: u32; readonly totalBytes: u32; } - /** @name PolkadotPrimitivesV7UpgradeGoAhead (444) */ + /** @name PolkadotPrimitivesV7UpgradeGoAhead (446) */ interface PolkadotPrimitivesV7UpgradeGoAhead extends Enum { readonly isAbort: boolean; readonly isGoAhead: boolean; readonly type: "Abort" | "GoAhead"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (445) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (447) */ interface CumulusPalletParachainSystemUnincludedSegmentSegmentTracker extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly hrmpWatermark: Option; readonly consumedGoAheadSignal: Option; } - /** @name PolkadotPrimitivesV7UpgradeRestriction (447) */ + /** @name PolkadotPrimitivesV7UpgradeRestriction (449) */ interface PolkadotPrimitivesV7UpgradeRestriction extends Enum { readonly isPresent: boolean; readonly type: "Present"; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (448) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (450) */ interface CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot extends Struct { readonly dmqMqcHead: H256; readonly relayDispatchQueueRemainingCapacity: CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity; @@ -6461,14 +6467,14 @@ declare module "@polkadot/types/lookup" { readonly egressChannels: Vec>; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (449) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (451) */ interface CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity extends Struct { readonly remainingCount: u32; readonly remainingSize: u32; } - /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (452) */ + /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (454) */ interface PolkadotPrimitivesV7AbridgedHrmpChannel extends Struct { readonly maxCapacity: u32; readonly maxTotalSize: u32; @@ -6478,7 +6484,7 @@ declare module "@polkadot/types/lookup" { readonly mqcHead: Option; } - /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (453) */ + /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (455) */ interface PolkadotPrimitivesV7AbridgedHostConfiguration extends Struct { readonly maxCodeSize: u32; readonly maxHeadDataSize: u32; @@ -6492,19 +6498,19 @@ declare module "@polkadot/types/lookup" { readonly asyncBackingParams: PolkadotPrimitivesV7AsyncBackingAsyncBackingParams; } - /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (454) */ + /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (456) */ interface PolkadotPrimitivesV7AsyncBackingAsyncBackingParams extends Struct { readonly maxCandidateDepth: u32; readonly allowedAncestryLen: u32; } - /** @name PolkadotCorePrimitivesOutboundHrmpMessage (460) */ + /** @name PolkadotCorePrimitivesOutboundHrmpMessage (462) */ interface PolkadotCorePrimitivesOutboundHrmpMessage extends Struct { readonly recipient: u32; readonly data: Bytes; } - /** @name CumulusPalletParachainSystemError (462) */ + /** @name CumulusPalletParachainSystemError (464) */ interface CumulusPalletParachainSystemError extends Enum { readonly isOverlappingUpgrades: boolean; readonly isProhibitedByPolkadot: boolean; @@ -6525,20 +6531,20 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletTransactionPaymentReleases (463) */ + /** @name PalletTransactionPaymentReleases (465) */ interface PalletTransactionPaymentReleases extends Enum { readonly isV1Ancient: boolean; readonly isV2: boolean; readonly type: "V1Ancient" | "V2"; } - /** @name PalletEvmCodeMetadata (464) */ + /** @name PalletEvmCodeMetadata (466) */ interface PalletEvmCodeMetadata extends Struct { readonly size_: u64; readonly hash_: H256; } - /** @name PalletEvmError (466) */ + /** @name PalletEvmError (468) */ interface PalletEvmError extends Enum { readonly isBalanceLow: boolean; readonly isFeeOverflow: boolean; @@ -6569,7 +6575,7 @@ declare module "@polkadot/types/lookup" { | "Undefined"; } - /** @name FpRpcTransactionStatus (469) */ + /** @name FpRpcTransactionStatus (471) */ interface FpRpcTransactionStatus extends Struct { readonly transactionHash: H256; readonly transactionIndex: u32; @@ -6580,10 +6586,10 @@ declare module "@polkadot/types/lookup" { readonly logsBloom: EthbloomBloom; } - /** @name EthbloomBloom (471) */ + /** @name EthbloomBloom (473) */ interface EthbloomBloom extends U8aFixed {} - /** @name EthereumReceiptReceiptV3 (473) */ + /** @name EthereumReceiptReceiptV3 (475) */ interface EthereumReceiptReceiptV3 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumReceiptEip658ReceiptData; @@ -6594,7 +6600,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumReceiptEip658ReceiptData (474) */ + /** @name EthereumReceiptEip658ReceiptData (476) */ interface EthereumReceiptEip658ReceiptData extends Struct { readonly statusCode: u8; readonly usedGas: U256; @@ -6602,14 +6608,14 @@ declare module "@polkadot/types/lookup" { readonly logs: Vec; } - /** @name EthereumBlock (475) */ + /** @name EthereumBlock (477) */ interface EthereumBlock extends Struct { readonly header: EthereumHeader; readonly transactions: Vec; readonly ommers: Vec; } - /** @name EthereumHeader (476) */ + /** @name EthereumHeader (478) */ interface EthereumHeader extends Struct { readonly parentHash: H256; readonly ommersHash: H256; @@ -6628,23 +6634,17 @@ declare module "@polkadot/types/lookup" { readonly nonce: EthereumTypesHashH64; } - /** @name EthereumTypesHashH64 (477) */ + /** @name EthereumTypesHashH64 (479) */ interface EthereumTypesHashH64 extends U8aFixed {} - /** @name PalletEthereumError (482) */ + /** @name PalletEthereumError (484) */ interface PalletEthereumError extends Enum { readonly isInvalidSignature: boolean; readonly isPreLogExists: boolean; readonly type: "InvalidSignature" | "PreLogExists"; } - /** @name PalletParachainStakingParachainBondConfig (483) */ - interface PalletParachainStakingParachainBondConfig extends Struct { - readonly account: AccountId20; - readonly percent: Percent; - } - - /** @name PalletParachainStakingRoundInfo (484) */ + /** @name PalletParachainStakingRoundInfo (485) */ interface PalletParachainStakingRoundInfo extends Struct { readonly current: u32; readonly first: u32; @@ -6652,7 +6652,7 @@ declare module "@polkadot/types/lookup" { readonly firstSlot: u64; } - /** @name PalletParachainStakingDelegator (485) */ + /** @name PalletParachainStakingDelegator (486) */ interface PalletParachainStakingDelegator extends Struct { readonly id: AccountId20; readonly delegations: PalletParachainStakingSetOrderedSet; @@ -6661,16 +6661,16 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingDelegatorStatus; } - /** @name PalletParachainStakingSetOrderedSet (486) */ + /** @name PalletParachainStakingSetOrderedSet (487) */ interface PalletParachainStakingSetOrderedSet extends Vec {} - /** @name PalletParachainStakingBond (487) */ + /** @name PalletParachainStakingBond (488) */ interface PalletParachainStakingBond extends Struct { readonly owner: AccountId20; readonly amount: u128; } - /** @name PalletParachainStakingDelegatorStatus (489) */ + /** @name PalletParachainStakingDelegatorStatus (490) */ interface PalletParachainStakingDelegatorStatus extends Enum { readonly isActive: boolean; readonly isLeaving: boolean; @@ -6678,7 +6678,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Leaving"; } - /** @name PalletParachainStakingCandidateMetadata (490) */ + /** @name PalletParachainStakingCandidateMetadata (491) */ interface PalletParachainStakingCandidateMetadata extends Struct { readonly bond: u128; readonly delegationCount: u32; @@ -6692,7 +6692,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingCollatorStatus; } - /** @name PalletParachainStakingCapacityStatus (491) */ + /** @name PalletParachainStakingCapacityStatus (492) */ interface PalletParachainStakingCapacityStatus extends Enum { readonly isFull: boolean; readonly isEmpty: boolean; @@ -6700,13 +6700,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Full" | "Empty" | "Partial"; } - /** @name PalletParachainStakingCandidateBondLessRequest (493) */ + /** @name PalletParachainStakingCandidateBondLessRequest (494) */ interface PalletParachainStakingCandidateBondLessRequest extends Struct { readonly amount: u128; readonly whenExecutable: u32; } - /** @name PalletParachainStakingCollatorStatus (494) */ + /** @name PalletParachainStakingCollatorStatus (495) */ interface PalletParachainStakingCollatorStatus extends Enum { readonly isActive: boolean; readonly isIdle: boolean; @@ -6715,50 +6715,50 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Idle" | "Leaving"; } - /** @name PalletParachainStakingDelegationRequestsScheduledRequest (496) */ + /** @name PalletParachainStakingDelegationRequestsScheduledRequest (497) */ interface PalletParachainStakingDelegationRequestsScheduledRequest extends Struct { readonly delegator: AccountId20; readonly whenExecutable: u32; readonly action: PalletParachainStakingDelegationRequestsDelegationAction; } - /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (499) */ + /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (500) */ interface PalletParachainStakingAutoCompoundAutoCompoundConfig extends Struct { readonly delegator: AccountId20; readonly value: Percent; } - /** @name PalletParachainStakingDelegations (501) */ + /** @name PalletParachainStakingDelegations (502) */ interface PalletParachainStakingDelegations extends Struct { readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingSetBoundedOrderedSet (503) */ + /** @name PalletParachainStakingSetBoundedOrderedSet (504) */ interface PalletParachainStakingSetBoundedOrderedSet extends Vec {} - /** @name PalletParachainStakingCollatorSnapshot (506) */ + /** @name PalletParachainStakingCollatorSnapshot (507) */ interface PalletParachainStakingCollatorSnapshot extends Struct { readonly bond: u128; readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingBondWithAutoCompound (508) */ + /** @name PalletParachainStakingBondWithAutoCompound (509) */ interface PalletParachainStakingBondWithAutoCompound extends Struct { readonly owner: AccountId20; readonly amount: u128; readonly autoCompound: Percent; } - /** @name PalletParachainStakingDelayedPayout (509) */ + /** @name PalletParachainStakingDelayedPayout (510) */ interface PalletParachainStakingDelayedPayout extends Struct { readonly roundIssuance: u128; readonly totalStakingReward: u128; readonly collatorCommission: Perbill; } - /** @name PalletParachainStakingInflationInflationInfo (510) */ + /** @name PalletParachainStakingInflationInflationInfo (511) */ interface PalletParachainStakingInflationInflationInfo extends Struct { readonly expect: { readonly min: u128; @@ -6777,7 +6777,7 @@ declare module "@polkadot/types/lookup" { } & Struct; } - /** @name PalletParachainStakingError (511) */ + /** @name PalletParachainStakingError (512) */ interface PalletParachainStakingError extends Enum { readonly isDelegatorDNE: boolean; readonly isDelegatorDNEinTopNorBottom: boolean; @@ -6806,6 +6806,7 @@ declare module "@polkadot/types/lookup" { readonly isCannotSetBelowMin: boolean; readonly isRoundLengthMustBeGreaterThanTotalSelectedCollators: boolean; readonly isNoWritingSameValue: boolean; + readonly isTotalInflationDistributionPercentExceeds100: boolean; readonly isTooLowCandidateCountWeightHintJoinCandidates: boolean; readonly isTooLowCandidateCountWeightHintCancelLeaveCandidates: boolean; readonly isTooLowCandidateCountToLeaveCandidates: boolean; @@ -6862,6 +6863,7 @@ declare module "@polkadot/types/lookup" { | "CannotSetBelowMin" | "RoundLengthMustBeGreaterThanTotalSelectedCollators" | "NoWritingSameValue" + | "TotalInflationDistributionPercentExceeds100" | "TooLowCandidateCountWeightHintJoinCandidates" | "TooLowCandidateCountWeightHintCancelLeaveCandidates" | "TooLowCandidateCountToLeaveCandidates" @@ -6892,7 +6894,7 @@ declare module "@polkadot/types/lookup" { | "CurrentRoundTooLow"; } - /** @name PalletSchedulerScheduled (514) */ + /** @name PalletSchedulerScheduled (515) */ interface PalletSchedulerScheduled extends Struct { readonly maybeId: Option; readonly priority: u8; @@ -6901,14 +6903,14 @@ declare module "@polkadot/types/lookup" { readonly origin: MoonbaseRuntimeOriginCaller; } - /** @name PalletSchedulerRetryConfig (516) */ + /** @name PalletSchedulerRetryConfig (517) */ interface PalletSchedulerRetryConfig extends Struct { readonly totalRetries: u8; readonly remaining: u8; readonly period: u32; } - /** @name PalletSchedulerError (517) */ + /** @name PalletSchedulerError (518) */ interface PalletSchedulerError extends Enum { readonly isFailedToSchedule: boolean; readonly isNotFound: boolean; @@ -6923,7 +6925,7 @@ declare module "@polkadot/types/lookup" { | "Named"; } - /** @name PalletTreasuryProposal (518) */ + /** @name PalletTreasuryProposal (519) */ interface PalletTreasuryProposal extends Struct { readonly proposer: AccountId20; readonly value: u128; @@ -6931,7 +6933,7 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; } - /** @name PalletTreasurySpendStatus (521) */ + /** @name PalletTreasurySpendStatus (522) */ interface PalletTreasurySpendStatus extends Struct { readonly assetKind: Null; readonly amount: u128; @@ -6941,7 +6943,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletTreasuryPaymentState; } - /** @name PalletTreasuryPaymentState (522) */ + /** @name PalletTreasuryPaymentState (523) */ interface PalletTreasuryPaymentState extends Enum { readonly isPending: boolean; readonly isAttempted: boolean; @@ -6952,10 +6954,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "Attempted" | "Failed"; } - /** @name FrameSupportPalletId (524) */ + /** @name FrameSupportPalletId (525) */ interface FrameSupportPalletId extends U8aFixed {} - /** @name PalletTreasuryError (525) */ + /** @name PalletTreasuryError (526) */ interface PalletTreasuryError extends Enum { readonly isInsufficientProposersBalance: boolean; readonly isInvalidIndex: boolean; @@ -6984,7 +6986,7 @@ declare module "@polkadot/types/lookup" { | "Inconclusive"; } - /** @name PalletAuthorInherentError (526) */ + /** @name PalletAuthorInherentError (527) */ interface PalletAuthorInherentError extends Enum { readonly isAuthorAlreadySet: boolean; readonly isNoAccountId: boolean; @@ -6992,14 +6994,14 @@ declare module "@polkadot/types/lookup" { readonly type: "AuthorAlreadySet" | "NoAccountId" | "CannotBeAuthor"; } - /** @name PalletCrowdloanRewardsRewardInfo (527) */ + /** @name PalletCrowdloanRewardsRewardInfo (528) */ interface PalletCrowdloanRewardsRewardInfo extends Struct { readonly totalReward: u128; readonly claimedReward: u128; readonly contributedRelayAddresses: Vec; } - /** @name PalletCrowdloanRewardsError (529) */ + /** @name PalletCrowdloanRewardsError (530) */ interface PalletCrowdloanRewardsError extends Enum { readonly isAlreadyAssociated: boolean; readonly isBatchBeyondFundPot: boolean; @@ -7034,14 +7036,14 @@ declare module "@polkadot/types/lookup" { | "InsufficientNumberOfValidProofs"; } - /** @name PalletAuthorMappingRegistrationInfo (530) */ + /** @name PalletAuthorMappingRegistrationInfo (531) */ interface PalletAuthorMappingRegistrationInfo extends Struct { readonly account: AccountId20; readonly deposit: u128; readonly keys_: SessionKeysPrimitivesVrfVrfCryptoPublic; } - /** @name PalletAuthorMappingError (531) */ + /** @name PalletAuthorMappingError (532) */ interface PalletAuthorMappingError extends Enum { readonly isAssociationNotFound: boolean; readonly isNotYourAssociation: boolean; @@ -7062,21 +7064,21 @@ declare module "@polkadot/types/lookup" { | "DecodeKeysFailed"; } - /** @name PalletProxyProxyDefinition (534) */ + /** @name PalletProxyProxyDefinition (535) */ interface PalletProxyProxyDefinition extends Struct { readonly delegate: AccountId20; readonly proxyType: MoonbaseRuntimeProxyType; readonly delay: u32; } - /** @name PalletProxyAnnouncement (538) */ + /** @name PalletProxyAnnouncement (539) */ interface PalletProxyAnnouncement extends Struct { readonly real: AccountId20; readonly callHash: H256; readonly height: u32; } - /** @name PalletProxyError (540) */ + /** @name PalletProxyError (541) */ interface PalletProxyError extends Enum { readonly isTooMany: boolean; readonly isNotFound: boolean; @@ -7097,34 +7099,34 @@ declare module "@polkadot/types/lookup" { | "NoSelfProxy"; } - /** @name PalletMaintenanceModeError (541) */ + /** @name PalletMaintenanceModeError (542) */ interface PalletMaintenanceModeError extends Enum { readonly isAlreadyInMaintenanceMode: boolean; readonly isNotInMaintenanceMode: boolean; readonly type: "AlreadyInMaintenanceMode" | "NotInMaintenanceMode"; } - /** @name PalletIdentityRegistration (543) */ + /** @name PalletIdentityRegistration (544) */ interface PalletIdentityRegistration extends Struct { readonly judgements: Vec>; readonly deposit: u128; readonly info: PalletIdentityLegacyIdentityInfo; } - /** @name PalletIdentityRegistrarInfo (552) */ + /** @name PalletIdentityRegistrarInfo (553) */ interface PalletIdentityRegistrarInfo extends Struct { readonly account: AccountId20; readonly fee: u128; readonly fields: u64; } - /** @name PalletIdentityAuthorityProperties (554) */ + /** @name PalletIdentityAuthorityProperties (555) */ interface PalletIdentityAuthorityProperties extends Struct { readonly suffix: Bytes; readonly allocation: u32; } - /** @name PalletIdentityError (557) */ + /** @name PalletIdentityError (558) */ interface PalletIdentityError extends Enum { readonly isTooManySubAccounts: boolean; readonly isNotFound: boolean; @@ -7181,7 +7183,7 @@ declare module "@polkadot/types/lookup" { | "NotExpired"; } - /** @name CumulusPalletXcmpQueueOutboundChannelDetails (562) */ + /** @name CumulusPalletXcmpQueueOutboundChannelDetails (563) */ interface CumulusPalletXcmpQueueOutboundChannelDetails extends Struct { readonly recipient: u32; readonly state: CumulusPalletXcmpQueueOutboundState; @@ -7190,21 +7192,21 @@ declare module "@polkadot/types/lookup" { readonly lastIndex: u16; } - /** @name CumulusPalletXcmpQueueOutboundState (563) */ + /** @name CumulusPalletXcmpQueueOutboundState (564) */ interface CumulusPalletXcmpQueueOutboundState extends Enum { readonly isOk: boolean; readonly isSuspended: boolean; readonly type: "Ok" | "Suspended"; } - /** @name CumulusPalletXcmpQueueQueueConfigData (565) */ + /** @name CumulusPalletXcmpQueueQueueConfigData (566) */ interface CumulusPalletXcmpQueueQueueConfigData extends Struct { readonly suspendThreshold: u32; readonly dropThreshold: u32; readonly resumeThreshold: u32; } - /** @name CumulusPalletXcmpQueueError (566) */ + /** @name CumulusPalletXcmpQueueError (567) */ interface CumulusPalletXcmpQueueError extends Enum { readonly isBadQueueConfig: boolean; readonly isAlreadySuspended: boolean; @@ -7212,7 +7214,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadQueueConfig" | "AlreadySuspended" | "AlreadyResumed"; } - /** @name CumulusPalletDmpQueueMigrationState (567) */ + /** @name CumulusPalletDmpQueueMigrationState (568) */ interface CumulusPalletDmpQueueMigrationState extends Enum { readonly isNotStarted: boolean; readonly isStartedExport: boolean; @@ -7240,7 +7242,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmQueryStatus (570) */ + /** @name PalletXcmQueryStatus (571) */ interface PalletXcmQueryStatus extends Enum { readonly isPending: boolean; readonly asPending: { @@ -7262,7 +7264,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "VersionNotifier" | "Ready"; } - /** @name XcmVersionedResponse (574) */ + /** @name XcmVersionedResponse (575) */ interface XcmVersionedResponse extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Response; @@ -7273,7 +7275,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmVersionMigrationStage (580) */ + /** @name PalletXcmVersionMigrationStage (581) */ interface PalletXcmVersionMigrationStage extends Enum { readonly isMigrateSupportedVersion: boolean; readonly isMigrateVersionNotifiers: boolean; @@ -7287,7 +7289,7 @@ declare module "@polkadot/types/lookup" { | "MigrateAndNotifyOldTargets"; } - /** @name PalletXcmRemoteLockedFungibleRecord (583) */ + /** @name PalletXcmRemoteLockedFungibleRecord (584) */ interface PalletXcmRemoteLockedFungibleRecord extends Struct { readonly amount: u128; readonly owner: XcmVersionedLocation; @@ -7295,7 +7297,7 @@ declare module "@polkadot/types/lookup" { readonly consumers: Vec>; } - /** @name PalletXcmError (590) */ + /** @name PalletXcmError (591) */ interface PalletXcmError extends Enum { readonly isUnreachable: boolean; readonly isSendFailure: boolean; @@ -7348,7 +7350,7 @@ declare module "@polkadot/types/lookup" { | "LocalExecutionIncomplete"; } - /** @name PalletAssetsAssetDetails (591) */ + /** @name PalletAssetsAssetDetails (592) */ interface PalletAssetsAssetDetails extends Struct { readonly owner: AccountId20; readonly issuer: AccountId20; @@ -7364,7 +7366,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletAssetsAssetStatus; } - /** @name PalletAssetsAssetStatus (592) */ + /** @name PalletAssetsAssetStatus (593) */ interface PalletAssetsAssetStatus extends Enum { readonly isLive: boolean; readonly isFrozen: boolean; @@ -7372,7 +7374,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Live" | "Frozen" | "Destroying"; } - /** @name PalletAssetsAssetAccount (594) */ + /** @name PalletAssetsAssetAccount (595) */ interface PalletAssetsAssetAccount extends Struct { readonly balance: u128; readonly status: PalletAssetsAccountStatus; @@ -7380,7 +7382,7 @@ declare module "@polkadot/types/lookup" { readonly extra: Null; } - /** @name PalletAssetsAccountStatus (595) */ + /** @name PalletAssetsAccountStatus (596) */ interface PalletAssetsAccountStatus extends Enum { readonly isLiquid: boolean; readonly isFrozen: boolean; @@ -7388,7 +7390,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Liquid" | "Frozen" | "Blocked"; } - /** @name PalletAssetsExistenceReason (596) */ + /** @name PalletAssetsExistenceReason (597) */ interface PalletAssetsExistenceReason extends Enum { readonly isConsumer: boolean; readonly isSufficient: boolean; @@ -7400,13 +7402,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Consumer" | "Sufficient" | "DepositHeld" | "DepositRefunded" | "DepositFrom"; } - /** @name PalletAssetsApproval (598) */ + /** @name PalletAssetsApproval (599) */ interface PalletAssetsApproval extends Struct { readonly amount: u128; readonly deposit: u128; } - /** @name PalletAssetsAssetMetadata (599) */ + /** @name PalletAssetsAssetMetadata (600) */ interface PalletAssetsAssetMetadata extends Struct { readonly deposit: u128; readonly name: Bytes; @@ -7415,7 +7417,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletAssetsError (601) */ + /** @name PalletAssetsError (602) */ interface PalletAssetsError extends Enum { readonly isBalanceLow: boolean; readonly isNoAccount: boolean; @@ -7460,7 +7462,7 @@ declare module "@polkadot/types/lookup" { | "CallbackFailed"; } - /** @name OrmlXtokensModuleError (602) */ + /** @name OrmlXtokensModuleError (603) */ interface OrmlXtokensModuleError extends Enum { readonly isAssetHasNoReserve: boolean; readonly isNotCrossChainTransfer: boolean; @@ -7505,7 +7507,7 @@ declare module "@polkadot/types/lookup" { | "RateLimited"; } - /** @name PalletAssetManagerError (603) */ + /** @name PalletAssetManagerError (604) */ interface PalletAssetManagerError extends Enum { readonly isErrorCreatingAsset: boolean; readonly isAssetAlreadyExists: boolean; @@ -7526,7 +7528,7 @@ declare module "@polkadot/types/lookup" { | "NonExistentLocalAsset"; } - /** @name PalletMigrationsError (604) */ + /** @name PalletMigrationsError (605) */ interface PalletMigrationsError extends Enum { readonly isPreimageMissing: boolean; readonly isWrongUpperBound: boolean; @@ -7539,7 +7541,7 @@ declare module "@polkadot/types/lookup" { | "PreimageAlreadyExists"; } - /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (605) */ + /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (606) */ interface PalletXcmTransactorRelayIndicesRelayChainIndices extends Struct { readonly staking: u8; readonly utility: u8; @@ -7561,7 +7563,7 @@ declare module "@polkadot/types/lookup" { readonly cancelOpenRequest: u8; } - /** @name PalletXcmTransactorError (606) */ + /** @name PalletXcmTransactorError (607) */ interface PalletXcmTransactorError extends Enum { readonly isIndexAlreadyClaimed: boolean; readonly isUnclaimedIndex: boolean; @@ -7620,20 +7622,20 @@ declare module "@polkadot/types/lookup" { | "RefundNotSupportedWithTransactInfo"; } - /** @name PalletMoonbeamOrbitersCollatorPoolInfo (607) */ + /** @name PalletMoonbeamOrbitersCollatorPoolInfo (608) */ interface PalletMoonbeamOrbitersCollatorPoolInfo extends Struct { readonly orbiters: Vec; readonly maybeCurrentOrbiter: Option; readonly nextOrbiter: u32; } - /** @name PalletMoonbeamOrbitersCurrentOrbiter (609) */ + /** @name PalletMoonbeamOrbitersCurrentOrbiter (610) */ interface PalletMoonbeamOrbitersCurrentOrbiter extends Struct { readonly accountId: AccountId20; readonly removed: bool; } - /** @name PalletMoonbeamOrbitersError (610) */ + /** @name PalletMoonbeamOrbitersError (611) */ interface PalletMoonbeamOrbitersError extends Enum { readonly isCollatorAlreadyAdded: boolean; readonly isCollatorNotFound: boolean; @@ -7656,19 +7658,19 @@ declare module "@polkadot/types/lookup" { | "OrbiterStillInAPool"; } - /** @name PalletEthereumXcmError (611) */ + /** @name PalletEthereumXcmError (612) */ interface PalletEthereumXcmError extends Enum { readonly isEthereumXcmExecutionSuspended: boolean; readonly type: "EthereumXcmExecutionSuspended"; } - /** @name PalletRandomnessRequestState (612) */ + /** @name PalletRandomnessRequestState (613) */ interface PalletRandomnessRequestState extends Struct { readonly request: PalletRandomnessRequest; readonly deposit: u128; } - /** @name PalletRandomnessRequest (613) */ + /** @name PalletRandomnessRequest (614) */ interface PalletRandomnessRequest extends Struct { readonly refundAddress: H160; readonly contractAddress: H160; @@ -7679,7 +7681,7 @@ declare module "@polkadot/types/lookup" { readonly info: PalletRandomnessRequestInfo; } - /** @name PalletRandomnessRequestInfo (614) */ + /** @name PalletRandomnessRequestInfo (615) */ interface PalletRandomnessRequestInfo extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: ITuple<[u64, u64]>; @@ -7688,7 +7690,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRequestType (615) */ + /** @name PalletRandomnessRequestType (616) */ interface PalletRandomnessRequestType extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: u64; @@ -7697,13 +7699,13 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRandomnessResult (616) */ + /** @name PalletRandomnessRandomnessResult (617) */ interface PalletRandomnessRandomnessResult extends Struct { readonly randomness: Option; readonly requestCount: u64; } - /** @name PalletRandomnessError (617) */ + /** @name PalletRandomnessError (618) */ interface PalletRandomnessError extends Enum { readonly isRequestCounterOverflowed: boolean; readonly isRequestFeeOverflowed: boolean; @@ -7732,7 +7734,7 @@ declare module "@polkadot/types/lookup" { | "RandomnessResultNotFilled"; } - /** @name PalletCollectiveVotes (619) */ + /** @name PalletCollectiveVotes (620) */ interface PalletCollectiveVotes extends Struct { readonly index: u32; readonly threshold: u32; @@ -7741,7 +7743,7 @@ declare module "@polkadot/types/lookup" { readonly end: u32; } - /** @name PalletCollectiveError (620) */ + /** @name PalletCollectiveError (621) */ interface PalletCollectiveError extends Enum { readonly isNotMember: boolean; readonly isDuplicateProposal: boolean; @@ -7768,7 +7770,7 @@ declare module "@polkadot/types/lookup" { | "PrimeAccountNotMember"; } - /** @name PalletConvictionVotingVoteVoting (622) */ + /** @name PalletConvictionVotingVoteVoting (623) */ interface PalletConvictionVotingVoteVoting extends Enum { readonly isCasting: boolean; readonly asCasting: PalletConvictionVotingVoteCasting; @@ -7777,23 +7779,23 @@ declare module "@polkadot/types/lookup" { readonly type: "Casting" | "Delegating"; } - /** @name PalletConvictionVotingVoteCasting (623) */ + /** @name PalletConvictionVotingVoteCasting (624) */ interface PalletConvictionVotingVoteCasting extends Struct { readonly votes: Vec>; readonly delegations: PalletConvictionVotingDelegations; readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingDelegations (627) */ + /** @name PalletConvictionVotingDelegations (628) */ interface PalletConvictionVotingDelegations extends Struct { readonly votes: u128; readonly capital: u128; } - /** @name PalletConvictionVotingVotePriorLock (628) */ + /** @name PalletConvictionVotingVotePriorLock (629) */ interface PalletConvictionVotingVotePriorLock extends ITuple<[u32, u128]> {} - /** @name PalletConvictionVotingVoteDelegating (629) */ + /** @name PalletConvictionVotingVoteDelegating (630) */ interface PalletConvictionVotingVoteDelegating extends Struct { readonly balance: u128; readonly target: AccountId20; @@ -7802,7 +7804,7 @@ declare module "@polkadot/types/lookup" { readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingError (633) */ + /** @name PalletConvictionVotingError (634) */ interface PalletConvictionVotingError extends Enum { readonly isNotOngoing: boolean; readonly isNotVoter: boolean; @@ -7831,7 +7833,7 @@ declare module "@polkadot/types/lookup" { | "BadClass"; } - /** @name PalletReferendaReferendumInfo (634) */ + /** @name PalletReferendaReferendumInfo (635) */ interface PalletReferendaReferendumInfo extends Enum { readonly isOngoing: boolean; readonly asOngoing: PalletReferendaReferendumStatus; @@ -7856,7 +7858,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ongoing" | "Approved" | "Rejected" | "Cancelled" | "TimedOut" | "Killed"; } - /** @name PalletReferendaReferendumStatus (635) */ + /** @name PalletReferendaReferendumStatus (636) */ interface PalletReferendaReferendumStatus extends Struct { readonly track: u16; readonly origin: MoonbaseRuntimeOriginCaller; @@ -7871,19 +7873,19 @@ declare module "@polkadot/types/lookup" { readonly alarm: Option]>>; } - /** @name PalletReferendaDeposit (636) */ + /** @name PalletReferendaDeposit (637) */ interface PalletReferendaDeposit extends Struct { readonly who: AccountId20; readonly amount: u128; } - /** @name PalletReferendaDecidingStatus (639) */ + /** @name PalletReferendaDecidingStatus (640) */ interface PalletReferendaDecidingStatus extends Struct { readonly since: u32; readonly confirming: Option; } - /** @name PalletReferendaTrackInfo (647) */ + /** @name PalletReferendaTrackInfo (648) */ interface PalletReferendaTrackInfo extends Struct { readonly name: Text; readonly maxDeciding: u32; @@ -7896,7 +7898,7 @@ declare module "@polkadot/types/lookup" { readonly minSupport: PalletReferendaCurve; } - /** @name PalletReferendaCurve (648) */ + /** @name PalletReferendaCurve (649) */ interface PalletReferendaCurve extends Enum { readonly isLinearDecreasing: boolean; readonly asLinearDecreasing: { @@ -7920,7 +7922,7 @@ declare module "@polkadot/types/lookup" { readonly type: "LinearDecreasing" | "SteppedDecreasing" | "Reciprocal"; } - /** @name PalletReferendaError (651) */ + /** @name PalletReferendaError (652) */ interface PalletReferendaError extends Enum { readonly isNotOngoing: boolean; readonly isHasDeposit: boolean; @@ -7953,7 +7955,7 @@ declare module "@polkadot/types/lookup" { | "PreimageStoredWithDifferentLength"; } - /** @name PalletPreimageOldRequestStatus (652) */ + /** @name PalletPreimageOldRequestStatus (653) */ interface PalletPreimageOldRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7969,7 +7971,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageRequestStatus (655) */ + /** @name PalletPreimageRequestStatus (656) */ interface PalletPreimageRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7985,7 +7987,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageError (661) */ + /** @name PalletPreimageError (662) */ interface PalletPreimageError extends Enum { readonly isTooBig: boolean; readonly isAlreadyNoted: boolean; @@ -8006,7 +8008,7 @@ declare module "@polkadot/types/lookup" { | "TooFew"; } - /** @name PalletWhitelistError (662) */ + /** @name PalletWhitelistError (663) */ interface PalletWhitelistError extends Enum { readonly isUnavailablePreImage: boolean; readonly isUndecodableCall: boolean; @@ -8021,7 +8023,7 @@ declare module "@polkadot/types/lookup" { | "CallAlreadyWhitelisted"; } - /** @name PalletMultisigMultisig (666) */ + /** @name PalletMultisigMultisig (667) */ interface PalletMultisigMultisig extends Struct { readonly when: PalletMultisigTimepoint; readonly deposit: u128; @@ -8029,7 +8031,7 @@ declare module "@polkadot/types/lookup" { readonly approvals: Vec; } - /** @name PalletMultisigError (668) */ + /** @name PalletMultisigError (669) */ interface PalletMultisigError extends Enum { readonly isMinimumThreshold: boolean; readonly isAlreadyApproved: boolean; @@ -8062,7 +8064,7 @@ declare module "@polkadot/types/lookup" { | "AlreadyStored"; } - /** @name PalletMoonbeamLazyMigrationsError (671) */ + /** @name PalletMoonbeamLazyMigrationsError (672) */ interface PalletMoonbeamLazyMigrationsError extends Enum { readonly isLimitCannotBeZero: boolean; readonly isAddressesLengthCannotBeZero: boolean; @@ -8077,13 +8079,13 @@ declare module "@polkadot/types/lookup" { | "ContractNotExist"; } - /** @name PalletPrecompileBenchmarksError (673) */ + /** @name PalletPrecompileBenchmarksError (674) */ interface PalletPrecompileBenchmarksError extends Enum { readonly isBenchmarkError: boolean; readonly type: "BenchmarkError"; } - /** @name PalletMessageQueueBookState (674) */ + /** @name PalletMessageQueueBookState (675) */ interface PalletMessageQueueBookState extends Struct { readonly begin: u32; readonly end: u32; @@ -8093,13 +8095,13 @@ declare module "@polkadot/types/lookup" { readonly size_: u64; } - /** @name PalletMessageQueueNeighbours (676) */ + /** @name PalletMessageQueueNeighbours (677) */ interface PalletMessageQueueNeighbours extends Struct { readonly prev: CumulusPrimitivesCoreAggregateMessageOrigin; readonly next: CumulusPrimitivesCoreAggregateMessageOrigin; } - /** @name PalletMessageQueuePage (678) */ + /** @name PalletMessageQueuePage (679) */ interface PalletMessageQueuePage extends Struct { readonly remaining: u32; readonly remainingSize: u32; @@ -8109,7 +8111,7 @@ declare module "@polkadot/types/lookup" { readonly heap: Bytes; } - /** @name PalletMessageQueueError (680) */ + /** @name PalletMessageQueueError (681) */ interface PalletMessageQueueError extends Enum { readonly isNotReapable: boolean; readonly isNoPage: boolean; @@ -8132,20 +8134,20 @@ declare module "@polkadot/types/lookup" { | "RecursiveDisallowed"; } - /** @name PalletEmergencyParaXcmXcmMode (681) */ + /** @name PalletEmergencyParaXcmXcmMode (682) */ interface PalletEmergencyParaXcmXcmMode extends Enum { readonly isNormal: boolean; readonly isPaused: boolean; readonly type: "Normal" | "Paused"; } - /** @name PalletEmergencyParaXcmError (682) */ + /** @name PalletEmergencyParaXcmError (683) */ interface PalletEmergencyParaXcmError extends Enum { readonly isNotInPausedMode: boolean; readonly type: "NotInPausedMode"; } - /** @name PalletMoonbeamForeignAssetsAssetStatus (684) */ + /** @name PalletMoonbeamForeignAssetsAssetStatus (685) */ interface PalletMoonbeamForeignAssetsAssetStatus extends Enum { readonly isActive: boolean; readonly isFrozenXcmDepositAllowed: boolean; @@ -8153,7 +8155,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "FrozenXcmDepositAllowed" | "FrozenXcmDepositForbidden"; } - /** @name PalletMoonbeamForeignAssetsError (685) */ + /** @name PalletMoonbeamForeignAssetsError (686) */ interface PalletMoonbeamForeignAssetsError extends Enum { readonly isAssetAlreadyExists: boolean; readonly isAssetAlreadyFrozen: boolean; @@ -8186,7 +8188,7 @@ declare module "@polkadot/types/lookup" { | "TooManyForeignAssets"; } - /** @name PalletXcmWeightTraderError (687) */ + /** @name PalletXcmWeightTraderError (688) */ interface PalletXcmWeightTraderError extends Enum { readonly isAssetAlreadyAdded: boolean; readonly isAssetAlreadyPaused: boolean; @@ -8203,42 +8205,42 @@ declare module "@polkadot/types/lookup" { | "PriceCannotBeZero"; } - /** @name FrameSystemExtensionsCheckNonZeroSender (690) */ + /** @name FrameSystemExtensionsCheckNonZeroSender (691) */ type FrameSystemExtensionsCheckNonZeroSender = Null; - /** @name FrameSystemExtensionsCheckSpecVersion (691) */ + /** @name FrameSystemExtensionsCheckSpecVersion (692) */ type FrameSystemExtensionsCheckSpecVersion = Null; - /** @name FrameSystemExtensionsCheckTxVersion (692) */ + /** @name FrameSystemExtensionsCheckTxVersion (693) */ type FrameSystemExtensionsCheckTxVersion = Null; - /** @name FrameSystemExtensionsCheckGenesis (693) */ + /** @name FrameSystemExtensionsCheckGenesis (694) */ type FrameSystemExtensionsCheckGenesis = Null; - /** @name FrameSystemExtensionsCheckNonce (696) */ + /** @name FrameSystemExtensionsCheckNonce (697) */ interface FrameSystemExtensionsCheckNonce extends Compact {} - /** @name FrameSystemExtensionsCheckWeight (697) */ + /** @name FrameSystemExtensionsCheckWeight (698) */ type FrameSystemExtensionsCheckWeight = Null; - /** @name PalletTransactionPaymentChargeTransactionPayment (698) */ + /** @name PalletTransactionPaymentChargeTransactionPayment (699) */ interface PalletTransactionPaymentChargeTransactionPayment extends Compact {} - /** @name FrameMetadataHashExtensionCheckMetadataHash (699) */ + /** @name FrameMetadataHashExtensionCheckMetadataHash (700) */ interface FrameMetadataHashExtensionCheckMetadataHash extends Struct { readonly mode: FrameMetadataHashExtensionMode; } - /** @name FrameMetadataHashExtensionMode (700) */ + /** @name FrameMetadataHashExtensionMode (701) */ interface FrameMetadataHashExtensionMode extends Enum { readonly isDisabled: boolean; readonly isEnabled: boolean; readonly type: "Disabled" | "Enabled"; } - /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (701) */ + /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (702) */ type CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim = Null; - /** @name MoonbaseRuntimeRuntime (703) */ + /** @name MoonbaseRuntimeRuntime (704) */ type MoonbaseRuntimeRuntime = Null; } // declare module diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-consts.ts b/typescript-api/src/moonbeam/interfaces/augment-api-consts.ts index f86b6651e7..8aa1f678ef 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-consts.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-consts.ts @@ -298,8 +298,7 @@ declare module "@polkadot/api-base/types/consts" { * * This is held for adding 32 bytes plus an instance of `ProxyType` more into a pre-existing * storage value. Thus, when configuring `ProxyDepositFactor` one should take into account `32 - * - * - Proxy_type.encode().len()` bytes of data. + * + proxy_type.encode().len()` bytes of data. */ proxyDepositFactor: u128 & AugmentedConst; /** Generic const */ diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-errors.ts b/typescript-api/src/moonbeam/interfaces/augment-api-errors.ts index f87f4c1441..b0ba14454a 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-errors.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-errors.ts @@ -210,6 +210,12 @@ declare module "@polkadot/api-base/types/errors" { /** Generic error */ [key: string]: AugmentedError; }; + emergencyParaXcm: { + /** The current XCM Mode is not Paused */ + NotInPausedMode: AugmentedError; + /** Generic error */ + [key: string]: AugmentedError; + }; ethereum: { /** Signature is invalid. */ InvalidSignature: AugmentedError; @@ -254,6 +260,24 @@ declare module "@polkadot/api-base/types/errors" { /** Generic error */ [key: string]: AugmentedError; }; + evmForeignAssets: { + AssetAlreadyExists: AugmentedError; + AssetAlreadyFrozen: AugmentedError; + AssetDoesNotExist: AugmentedError; + AssetIdFiltered: AugmentedError; + AssetNotFrozen: AugmentedError; + CorruptedStorageOrphanLocation: AugmentedError; + Erc20ContractCreationFail: AugmentedError; + EvmCallPauseFail: AugmentedError; + EvmCallUnpauseFail: AugmentedError; + EvmInternalError: AugmentedError; + InvalidSymbol: AugmentedError; + InvalidTokenName: AugmentedError; + LocationAlreadyExists: AugmentedError; + TooManyForeignAssets: AugmentedError; + /** Generic error */ + [key: string]: AugmentedError; + }; identity: { /** Account ID is already named. */ AlreadyClaimed: AugmentedError; @@ -363,8 +387,12 @@ declare module "@polkadot/api-base/types/errors" { moonbeamLazyMigrations: { /** There must be at least one address */ AddressesLengthCannotBeZero: AugmentedError; + /** The contract already have metadata */ + ContractMetadataAlreadySet: AugmentedError; /** The contract is not corrupted (Still exist or properly suicided) */ ContractNotCorrupted: AugmentedError; + /** Contract not exist */ + ContractNotExist: AugmentedError; /** The limit cannot be zero */ LimitCannotBeZero: AugmentedError; /** Generic error */ @@ -509,6 +537,7 @@ declare module "@polkadot/api-base/types/errors" { TooLowDelegationCountToAutoCompound: AugmentedError; TooLowDelegationCountToDelegate: AugmentedError; TooLowDelegationCountToLeaveDelegators: AugmentedError; + TotalInflationDistributionPercentExceeds100: AugmentedError; /** Generic error */ [key: string]: AugmentedError; }; @@ -838,6 +867,22 @@ declare module "@polkadot/api-base/types/errors" { /** Generic error */ [key: string]: AugmentedError; }; + xcmWeightTrader: { + /** The given asset was already added */ + AssetAlreadyAdded: AugmentedError; + /** The given asset was already paused */ + AssetAlreadyPaused: AugmentedError; + /** The given asset was not found */ + AssetNotFound: AugmentedError; + /** The given asset is not paused */ + AssetNotPaused: AugmentedError; + /** The relative price cannot be zero */ + PriceCannotBeZero: AugmentedError; + /** XCM location filtered */ + XcmLocationFiltered: AugmentedError; + /** Generic error */ + [key: string]: AugmentedError; + }; xTokens: { /** Asset has no reserve location. */ AssetHasNoReserve: AugmentedError; diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-events.ts b/typescript-api/src/moonbeam/interfaces/augment-api-events.ts index c68abdc569..b488b24fcc 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-events.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-events.ts @@ -12,6 +12,7 @@ import type { Option, Result, U8aFixed, + Vec, bool, u128, u16, @@ -38,6 +39,7 @@ import type { PalletMultisigTimepoint, PalletParachainStakingDelegationRequestsCancelledScheduledRequest, PalletParachainStakingDelegatorAdded, + PalletParachainStakingInflationDistributionAccount, PalletXcmTransactorHrmpOperation, PalletXcmTransactorRemoteTransactInfoWithMaxWeight, SessionKeysPrimitivesVrfVrfCryptoPublic, @@ -101,11 +103,7 @@ declare module "@polkadot/api-base/types/events" { { assetType: MoonbeamRuntimeXcmConfigAssetType } >; /** Changed the amount of units we are charging per execution second for a given asset */ - UnitsPerSecondChanged: AugmentedEvent< - ApiType, - [assetType: MoonbeamRuntimeXcmConfigAssetType, unitsPerSecond: u128], - { assetType: MoonbeamRuntimeXcmConfigAssetType; unitsPerSecond: u128 } - >; + UnitsPerSecondChanged: AugmentedEvent; /** Generic event */ [key: string]: AugmentedEvent; }; @@ -517,6 +515,14 @@ declare module "@polkadot/api-base/types/events" { /** Generic event */ [key: string]: AugmentedEvent; }; + emergencyParaXcm: { + /** The XCM incoming execution was Paused */ + EnteredPausedXcmMode: AugmentedEvent; + /** The XCM incoming execution returned to normal operation */ + NormalXcmOperationResumed: AugmentedEvent; + /** Generic event */ + [key: string]: AugmentedEvent; + }; ethereum: { /** An ethereum transaction was successfully executed. */ Executed: AugmentedEvent< @@ -563,6 +569,32 @@ declare module "@polkadot/api-base/types/events" { /** Generic event */ [key: string]: AugmentedEvent; }; + evmForeignAssets: { + /** New asset with the asset manager is registered */ + ForeignAssetCreated: AugmentedEvent< + ApiType, + [contractAddress: H160, assetId: u128, xcmLocation: StagingXcmV4Location], + { contractAddress: H160; assetId: u128; xcmLocation: StagingXcmV4Location } + >; + ForeignAssetFrozen: AugmentedEvent< + ApiType, + [assetId: u128, xcmLocation: StagingXcmV4Location], + { assetId: u128; xcmLocation: StagingXcmV4Location } + >; + ForeignAssetUnfrozen: AugmentedEvent< + ApiType, + [assetId: u128, xcmLocation: StagingXcmV4Location], + { assetId: u128; xcmLocation: StagingXcmV4Location } + >; + /** Changed the xcm type mapping for a given asset id */ + ForeignAssetXcmLocationChanged: AugmentedEvent< + ApiType, + [assetId: u128, newXcmLocation: StagingXcmV4Location], + { assetId: u128; newXcmLocation: StagingXcmV4Location } + >; + /** Generic event */ + [key: string]: AugmentedEvent; + }; identity: { /** A username authority was added. */ AuthorityAdded: AugmentedEvent; @@ -1113,6 +1145,23 @@ declare module "@polkadot/api-base/types/events" { totalCandidateStaked: u128; } >; + /** Transferred to account which holds funds reserved for parachain bond. */ + InflationDistributed: AugmentedEvent< + ApiType, + [index: u32, account: AccountId20, value: u128], + { index: u32; account: AccountId20; value: u128 } + >; + InflationDistributionConfigUpdated: AugmentedEvent< + ApiType, + [ + old: Vec, + new_: Vec + ], + { + old: Vec; + new_: Vec; + } + >; /** Annual inflation input (first 3) was used to derive new per-round inflation (last 3) */ InflationSet: AugmentedEvent< ApiType, @@ -1145,24 +1194,6 @@ declare module "@polkadot/api-base/types/events" { [startingBlock: u32, round: u32, selectedCollatorsNumber: u32, totalBalance: u128], { startingBlock: u32; round: u32; selectedCollatorsNumber: u32; totalBalance: u128 } >; - /** Account (re)set for parachain bond treasury. */ - ParachainBondAccountSet: AugmentedEvent< - ApiType, - [old: AccountId20, new_: AccountId20], - { old: AccountId20; new_: AccountId20 } - >; - /** Percent of inflation reserved for parachain bond (re)set. */ - ParachainBondReservePercentSet: AugmentedEvent< - ApiType, - [old: Percent, new_: Percent], - { old: Percent; new_: Percent } - >; - /** Transferred to account which holds funds reserved for parachain bond. */ - ReservedForParachainBond: AugmentedEvent< - ApiType, - [account: AccountId20, value: u128], - { account: AccountId20; value: u128 } - >; /** Paid the account (delegator or collator) the balance as liquid rewards. */ Rewarded: AugmentedEvent< ApiType, @@ -2033,6 +2064,40 @@ declare module "@polkadot/api-base/types/events" { /** Generic event */ [key: string]: AugmentedEvent; }; + xcmWeightTrader: { + /** Pause support for a given asset */ + PauseAssetSupport: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location], + { location: StagingXcmV4Location } + >; + /** Resume support for a given asset */ + ResumeAssetSupport: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location], + { location: StagingXcmV4Location } + >; + /** New supported asset is registered */ + SupportedAssetAdded: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location, relativePrice: u128], + { location: StagingXcmV4Location; relativePrice: u128 } + >; + /** Changed the amount of units we are charging per execution second for a given asset */ + SupportedAssetEdited: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location, relativePrice: u128], + { location: StagingXcmV4Location; relativePrice: u128 } + >; + /** Supported asset type for fee payment removed */ + SupportedAssetRemoved: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location], + { location: StagingXcmV4Location } + >; + /** Generic event */ + [key: string]: AugmentedEvent; + }; xTokens: { /** Transferred `Asset` with fee. */ TransferredAssets: AugmentedEvent< diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-query.ts b/typescript-api/src/moonbeam/interfaces/augment-api-query.ts index faaef8225a..983fbe4617 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-query.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-query.ts @@ -65,12 +65,14 @@ import type { PalletCollectiveVotes, PalletConvictionVotingVoteVoting, PalletCrowdloanRewardsRewardInfo, + PalletEmergencyParaXcmXcmMode, PalletEvmCodeMetadata, PalletIdentityAuthorityProperties, PalletIdentityRegistrarInfo, PalletIdentityRegistration, PalletMessageQueueBookState, PalletMessageQueuePage, + PalletMoonbeamForeignAssetsAssetStatus, PalletMoonbeamOrbitersCollatorPoolInfo, PalletMultisigMultisig, PalletParachainStakingAutoCompoundAutoCompoundConfig, @@ -81,8 +83,8 @@ import type { PalletParachainStakingDelegationRequestsScheduledRequest, PalletParachainStakingDelegations, PalletParachainStakingDelegator, + PalletParachainStakingInflationDistributionAccount, PalletParachainStakingInflationInflationInfo, - PalletParachainStakingParachainBondConfig, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, PalletPreimageOldRequestStatus, @@ -148,25 +150,6 @@ declare module "@polkadot/api-base/types/storage" { [MoonbeamRuntimeXcmConfigAssetType] > & QueryableStorageEntry; - /** - * Stores the units per second for local execution for a AssetType. This is used to know how - * to charge for XCM execution in a particular asset Not all assets might contain units per - * second, hence the different storage - */ - assetTypeUnitsPerSecond: AugmentedQuery< - ApiType, - ( - arg: MoonbeamRuntimeXcmConfigAssetType | { Xcm: any } | string | Uint8Array - ) => Observable>, - [MoonbeamRuntimeXcmConfigAssetType] - > & - QueryableStorageEntry; - supportedFeePaymentAssets: AugmentedQuery< - ApiType, - () => Observable>, - [] - > & - QueryableStorageEntry; /** Generic query */ [key: string]: QueryableStorageEntry; }; @@ -435,6 +418,13 @@ declare module "@polkadot/api-base/types/storage" { /** Generic query */ [key: string]: QueryableStorageEntry; }; + emergencyParaXcm: { + /** Whether incoming XCM is enabled or paused */ + mode: AugmentedQuery Observable, []> & + QueryableStorageEntry; + /** Generic query */ + [key: string]: QueryableStorageEntry; + }; ethereum: { blockHash: AugmentedQuery< ApiType, @@ -520,6 +510,36 @@ declare module "@polkadot/api-base/types/storage" { /** Generic query */ [key: string]: QueryableStorageEntry; }; + evmForeignAssets: { + /** + * Mapping from an asset id to a Foreign asset type. This is mostly used when receiving + * transaction specifying an asset directly, like transferring an asset from this chain to another. + */ + assetsById: AugmentedQuery< + ApiType, + (arg: u128 | AnyNumber | Uint8Array) => Observable>, + [u128] + > & + QueryableStorageEntry; + /** + * Reverse mapping of AssetsById. Mapping from a foreign asset to an asset id. This is mostly + * used when receiving a multilocation XCM message to retrieve the corresponding asset in + * which tokens should me minted. + */ + assetsByLocation: AugmentedQuery< + ApiType, + ( + arg: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => Observable>>, + [StagingXcmV4Location] + > & + QueryableStorageEntry; + /** Counter for the related counted storage map */ + counterForAssetsById: AugmentedQuery Observable, []> & + QueryableStorageEntry; + /** Generic query */ + [key: string]: QueryableStorageEntry; + }; identity: { /** * Reverse lookup from `username` to the `AccountId` that has registered it. The value should @@ -885,10 +905,17 @@ declare module "@polkadot/api-base/types/storage" { [] > & QueryableStorageEntry; - /** Parachain bond config info { account, percent_of_inflation } */ - parachainBondInfo: AugmentedQuery< + /** + * Inflation distribution configuration, including accounts that should receive inflation + * before it is distributed to collators and delegators. + * + * The sum of the distribution percents must be less than or equal to 100. + * + * The first config is related to the parachain bond account, the second to the treasury account. + */ + inflationDistributionInfo: AugmentedQuery< ApiType, - () => Observable, + () => Observable>, [] > & QueryableStorageEntry; @@ -1762,6 +1789,22 @@ declare module "@polkadot/api-base/types/storage" { /** Generic query */ [key: string]: QueryableStorageEntry; }; + xcmWeightTrader: { + /** + * Stores all supported assets per XCM Location. The u128 is the asset price relative to + * native asset with 18 decimals The boolean specify if the support for this asset is active + */ + supportedAssets: AugmentedQuery< + ApiType, + ( + arg: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => Observable>>, + [StagingXcmV4Location] + > & + QueryableStorageEntry; + /** Generic query */ + [key: string]: QueryableStorageEntry; + }; xTokens: { /** Generic query */ [key: string]: QueryableStorageEntry; diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts b/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts index fd9bef3630..c60aadbf9b 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts @@ -132,22 +132,6 @@ declare module "@polkadot/api-base/types/submittable" { ) => SubmittableExtrinsic, [u128, u32] >; - removeSupportedAsset: AugmentedSubmittable< - ( - assetType: MoonbeamRuntimeXcmConfigAssetType | { Xcm: any } | string | Uint8Array, - numAssetsWeightHint: u32 | AnyNumber | Uint8Array - ) => SubmittableExtrinsic, - [MoonbeamRuntimeXcmConfigAssetType, u32] - >; - /** Change the amount of units we are charging per execution second for a given ForeignAssetType */ - setAssetUnitsPerSecond: AugmentedSubmittable< - ( - assetType: MoonbeamRuntimeXcmConfigAssetType | { Xcm: any } | string | Uint8Array, - unitsPerSecond: u128 | AnyNumber | Uint8Array, - numAssetsWeightHint: u32 | AnyNumber | Uint8Array - ) => SubmittableExtrinsic, - [MoonbeamRuntimeXcmConfigAssetType, u128, u32] - >; /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; @@ -1315,6 +1299,17 @@ declare module "@polkadot/api-base/types/submittable" { /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; + emergencyParaXcm: { + /** Authorize a runtime upgrade. Only callable in `Paused` mode */ + fastAuthorizeUpgrade: AugmentedSubmittable< + (codeHash: H256 | string | Uint8Array) => SubmittableExtrinsic, + [H256] + >; + /** Resume `Normal` mode */ + pausedToNormal: AugmentedSubmittable<() => SubmittableExtrinsic, []>; + /** Generic tx */ + [key: string]: SubmittableExtrinsicFunction; + }; ethereum: { /** Transact an Ethereum transaction. */ transact: AugmentedSubmittable< @@ -1479,6 +1474,53 @@ declare module "@polkadot/api-base/types/submittable" { /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; + evmForeignAssets: { + /** + * Change the xcm type mapping for a given assetId We also change this if the previous units + * per second where pointing at the old assetType + */ + changeXcmLocation: AugmentedSubmittable< + ( + assetId: u128 | AnyNumber | Uint8Array, + newXcmLocation: + | StagingXcmV4Location + | { parents?: any; interior?: any } + | string + | Uint8Array + ) => SubmittableExtrinsic, + [u128, StagingXcmV4Location] + >; + /** Create new asset with the ForeignAssetCreator */ + createForeignAsset: AugmentedSubmittable< + ( + assetId: u128 | AnyNumber | Uint8Array, + xcmLocation: + | StagingXcmV4Location + | { parents?: any; interior?: any } + | string + | Uint8Array, + decimals: u8 | AnyNumber | Uint8Array, + symbol: Bytes | string | Uint8Array, + name: Bytes | string | Uint8Array + ) => SubmittableExtrinsic, + [u128, StagingXcmV4Location, u8, Bytes, Bytes] + >; + /** Freeze a given foreign assetId */ + freezeForeignAsset: AugmentedSubmittable< + ( + assetId: u128 | AnyNumber | Uint8Array, + allowXcmDeposit: bool | boolean | Uint8Array + ) => SubmittableExtrinsic, + [u128, bool] + >; + /** Unfreeze a given foreign assetId */ + unfreezeForeignAsset: AugmentedSubmittable< + (assetId: u128 | AnyNumber | Uint8Array) => SubmittableExtrinsic, + [u128] + >; + /** Generic tx */ + [key: string]: SubmittableExtrinsicFunction; + }; identity: { /** * Accept a given username that an `authority` granted. The call must include the full @@ -1935,6 +1977,10 @@ declare module "@polkadot/api-base/types/submittable" { ) => SubmittableExtrinsic, [Vec, u32] >; + createContractMetadata: AugmentedSubmittable< + (address: H160 | string | Uint8Array) => SubmittableExtrinsic, + [H160] + >; /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; @@ -2511,12 +2557,25 @@ declare module "@polkadot/api-base/types/submittable" { } & Struct ] >; - /** Set the account that will hold funds set aside for parachain bond */ + /** Set the percent of inflation set aside for parachain bond */ + setInflationDistributionConfig: AugmentedSubmittable< + (updated: Vec) => SubmittableExtrinsic, + [Vec] + >; + /** + * Deprecated: please use `set_inflation_distribution_config` instead. + * + * Set the account that will hold funds set aside for parachain bond + */ setParachainBondAccount: AugmentedSubmittable< (updated: AccountId20 | string | Uint8Array) => SubmittableExtrinsic, [AccountId20] >; - /** Set the percent of inflation set aside for parachain bond */ + /** + * Deprecated: please use `set_inflation_distribution_config` instead. + * + * Set the percent of inflation set aside for parachain bond + */ setParachainBondReservePercent: AugmentedSubmittable< (updated: Percent | AnyNumber | Uint8Array) => SubmittableExtrinsic, [Percent] @@ -4723,6 +4782,42 @@ declare module "@polkadot/api-base/types/submittable" { /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; + xcmWeightTrader: { + addAsset: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array, + relativePrice: u128 | AnyNumber | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location, u128] + >; + editAsset: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array, + relativePrice: u128 | AnyNumber | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location, u128] + >; + pauseAssetSupport: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location] + >; + removeAsset: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location] + >; + resumeAssetSupport: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location] + >; + /** Generic tx */ + [key: string]: SubmittableExtrinsicFunction; + }; xTokens: { /** * Transfer native currencies. diff --git a/typescript-api/src/moonbeam/interfaces/empty/index.ts b/typescript-api/src/moonbeam/interfaces/empty/index.ts new file mode 100644 index 0000000000..58fa3ba837 --- /dev/null +++ b/typescript-api/src/moonbeam/interfaces/empty/index.ts @@ -0,0 +1,4 @@ +// Auto-generated via `yarn polkadot-types-from-defs`, do not edit +/* eslint-disable */ + +export * from "./types.js"; diff --git a/typescript-api/src/moonbeam/interfaces/empty/types.ts b/typescript-api/src/moonbeam/interfaces/empty/types.ts new file mode 100644 index 0000000000..878e1e9ec1 --- /dev/null +++ b/typescript-api/src/moonbeam/interfaces/empty/types.ts @@ -0,0 +1,4 @@ +// Auto-generated via `yarn polkadot-types-from-defs`, do not edit +/* eslint-disable */ + +export type PHANTOM_EMPTY = "empty"; diff --git a/typescript-api/src/moonbeam/interfaces/lookup.ts b/typescript-api/src/moonbeam/interfaces/lookup.ts index 3626302c94..a1c1e9efd1 100644 --- a/typescript-api/src/moonbeam/interfaces/lookup.ts +++ b/typescript-api/src/moonbeam/interfaces/lookup.ts @@ -405,23 +405,17 @@ export default { account: "AccountId20", rewards: "u128", }, - ReservedForParachainBond: { + InflationDistributed: { + index: "u32", account: "AccountId20", value: "u128", }, - ParachainBondAccountSet: { + InflationDistributionConfigUpdated: { _alias: { new_: "new", }, - old: "AccountId20", - new_: "AccountId20", - }, - ParachainBondReservePercentSet: { - _alias: { - new_: "new", - }, - old: "Percent", - new_: "Percent", + old: "[Lookup44;2]", + new_: "[Lookup44;2]", }, InflationSet: { annualMin: "Perbill", @@ -495,13 +489,21 @@ export default { AddedToBottom: "Null", }, }, - /** Lookup44: pallet_author_slot_filter::pallet::Event */ + /** + * Lookup44: + * pallet_parachain_staking::types::InflationDistributionAccount[account::AccountId20](account::AccountId20) + */ + PalletParachainStakingInflationDistributionAccount: { + account: "AccountId20", + percent: "Percent", + }, + /** Lookup46: pallet_author_slot_filter::pallet::Event */ PalletAuthorSlotFilterEvent: { _enum: { EligibleUpdated: "u32", }, }, - /** Lookup46: pallet_author_mapping::pallet::Event */ + /** Lookup48: pallet_author_mapping::pallet::Event */ PalletAuthorMappingEvent: { _enum: { KeysRegistered: { @@ -527,11 +529,11 @@ export default { }, }, }, - /** Lookup47: nimbus_primitives::nimbus_crypto::Public */ + /** Lookup49: nimbus_primitives::nimbus_crypto::Public */ NimbusPrimitivesNimbusCryptoPublic: "[u8;32]", - /** Lookup48: session_keys_primitives::vrf::vrf_crypto::Public */ + /** Lookup50: session_keys_primitives::vrf::vrf_crypto::Public */ SessionKeysPrimitivesVrfVrfCryptoPublic: "[u8;32]", - /** Lookup49: pallet_moonbeam_orbiters::pallet::Event */ + /** Lookup51: pallet_moonbeam_orbiters::pallet::Event */ PalletMoonbeamOrbitersEvent: { _enum: { OrbiterJoinCollatorPool: { @@ -560,7 +562,7 @@ export default { }, }, }, - /** Lookup51: pallet_utility::pallet::Event */ + /** Lookup53: pallet_utility::pallet::Event */ PalletUtilityEvent: { _enum: { BatchInterrupted: { @@ -578,7 +580,7 @@ export default { }, }, }, - /** Lookup54: pallet_proxy::pallet::Event */ + /** Lookup56: pallet_proxy::pallet::Event */ PalletProxyEvent: { _enum: { ProxyExecuted: { @@ -609,7 +611,7 @@ export default { }, }, }, - /** Lookup55: moonbeam_runtime::ProxyType */ + /** Lookup57: moonbeam_runtime::ProxyType */ MoonbeamRuntimeProxyType: { _enum: [ "Any", @@ -622,7 +624,7 @@ export default { "IdentityJudgement", ], }, - /** Lookup57: pallet_maintenance_mode::pallet::Event */ + /** Lookup59: pallet_maintenance_mode::pallet::Event */ PalletMaintenanceModeEvent: { _enum: { EnteredMaintenanceMode: "Null", @@ -635,7 +637,7 @@ export default { }, }, }, - /** Lookup58: pallet_identity::pallet::Event */ + /** Lookup60: pallet_identity::pallet::Event */ PalletIdentityEvent: { _enum: { IdentitySet: { @@ -707,7 +709,7 @@ export default { }, }, }, - /** Lookup60: pallet_migrations::pallet::Event */ + /** Lookup62: pallet_migrations::pallet::Event */ PalletMigrationsEvent: { _enum: { RuntimeUpgradeStarted: "Null", @@ -729,7 +731,7 @@ export default { }, }, }, - /** Lookup61: pallet_multisig::pallet::Event */ + /** Lookup63: pallet_multisig::pallet::Event */ PalletMultisigEvent: { _enum: { NewMultisig: { @@ -758,12 +760,12 @@ export default { }, }, }, - /** Lookup62: pallet_multisig::Timepoint */ + /** Lookup64: pallet_multisig::Timepoint */ PalletMultisigTimepoint: { height: "u32", index: "u32", }, - /** Lookup63: pallet_evm::pallet::Event */ + /** Lookup65: pallet_evm::pallet::Event */ PalletEvmEvent: { _enum: { Log: { @@ -783,13 +785,13 @@ export default { }, }, }, - /** Lookup64: ethereum::log::Log */ + /** Lookup66: ethereum::log::Log */ EthereumLog: { address: "H160", topics: "Vec", data: "Bytes", }, - /** Lookup67: pallet_ethereum::pallet::Event */ + /** Lookup69: pallet_ethereum::pallet::Event */ PalletEthereumEvent: { _enum: { Executed: { @@ -801,7 +803,7 @@ export default { }, }, }, - /** Lookup68: evm_core::error::ExitReason */ + /** Lookup70: evm_core::error::ExitReason */ EvmCoreErrorExitReason: { _enum: { Succeed: "EvmCoreErrorExitSucceed", @@ -810,11 +812,11 @@ export default { Fatal: "EvmCoreErrorExitFatal", }, }, - /** Lookup69: evm_core::error::ExitSucceed */ + /** Lookup71: evm_core::error::ExitSucceed */ EvmCoreErrorExitSucceed: { _enum: ["Stopped", "Returned", "Suicided"], }, - /** Lookup70: evm_core::error::ExitError */ + /** Lookup72: evm_core::error::ExitError */ EvmCoreErrorExitError: { _enum: { StackUnderflow: "Null", @@ -835,11 +837,11 @@ export default { InvalidCode: "u8", }, }, - /** Lookup74: evm_core::error::ExitRevert */ + /** Lookup76: evm_core::error::ExitRevert */ EvmCoreErrorExitRevert: { _enum: ["Reverted"], }, - /** Lookup75: evm_core::error::ExitFatal */ + /** Lookup77: evm_core::error::ExitFatal */ EvmCoreErrorExitFatal: { _enum: { NotSupported: "Null", @@ -848,7 +850,7 @@ export default { Other: "Text", }, }, - /** Lookup76: pallet_scheduler::pallet::Event */ + /** Lookup78: pallet_scheduler::pallet::Event */ PalletSchedulerEvent: { _enum: { Scheduled: { @@ -892,7 +894,7 @@ export default { }, }, }, - /** Lookup78: pallet_preimage::pallet::Event */ + /** Lookup80: pallet_preimage::pallet::Event */ PalletPreimageEvent: { _enum: { Noted: { @@ -915,14 +917,14 @@ export default { }, }, }, - /** Lookup79: pallet_conviction_voting::pallet::Event */ + /** Lookup81: pallet_conviction_voting::pallet::Event */ PalletConvictionVotingEvent: { _enum: { Delegated: "(AccountId20,AccountId20)", Undelegated: "AccountId20", }, }, - /** Lookup80: pallet_referenda::pallet::Event */ + /** Lookup82: pallet_referenda::pallet::Event */ PalletReferendaEvent: { _enum: { Submitted: { @@ -1001,7 +1003,7 @@ export default { }, }, /** - * Lookup81: frame_support::traits::preimages::Bounded */ FrameSupportPreimagesBounded: { @@ -1022,7 +1024,7 @@ export default { }, }, }, - /** Lookup83: frame_system::pallet::Call */ + /** Lookup85: frame_system::pallet::Call */ FrameSystemCall: { _enum: { remark: { @@ -1065,7 +1067,7 @@ export default { }, }, }, - /** Lookup87: cumulus_pallet_parachain_system::pallet::Call */ + /** Lookup89: cumulus_pallet_parachain_system::pallet::Call */ CumulusPalletParachainSystemCall: { _enum: { set_validation_data: { @@ -1083,35 +1085,35 @@ export default { }, }, }, - /** Lookup88: cumulus_primitives_parachain_inherent::ParachainInherentData */ + /** Lookup90: cumulus_primitives_parachain_inherent::ParachainInherentData */ CumulusPrimitivesParachainInherentParachainInherentData: { validationData: "PolkadotPrimitivesV7PersistedValidationData", relayChainState: "SpTrieStorageProof", downwardMessages: "Vec", horizontalMessages: "BTreeMap>", }, - /** Lookup89: polkadot_primitives::v7::PersistedValidationData */ + /** Lookup91: polkadot_primitives::v7::PersistedValidationData */ PolkadotPrimitivesV7PersistedValidationData: { parentHead: "Bytes", relayParentNumber: "u32", relayParentStorageRoot: "H256", maxPovSize: "u32", }, - /** Lookup91: sp_trie::storage_proof::StorageProof */ + /** Lookup93: sp_trie::storage_proof::StorageProof */ SpTrieStorageProof: { trieNodes: "BTreeSet", }, - /** Lookup94: polkadot_core_primitives::InboundDownwardMessage */ + /** Lookup96: polkadot_core_primitives::InboundDownwardMessage */ PolkadotCorePrimitivesInboundDownwardMessage: { sentAt: "u32", msg: "Bytes", }, - /** Lookup98: polkadot_core_primitives::InboundHrmpMessage */ + /** Lookup100: polkadot_core_primitives::InboundHrmpMessage */ PolkadotCorePrimitivesInboundHrmpMessage: { sentAt: "u32", data: "Bytes", }, - /** Lookup101: pallet_timestamp::pallet::Call */ + /** Lookup103: pallet_timestamp::pallet::Call */ PalletTimestampCall: { _enum: { set: { @@ -1119,7 +1121,7 @@ export default { }, }, }, - /** Lookup102: pallet_root_testing::pallet::Call */ + /** Lookup104: pallet_root_testing::pallet::Call */ PalletRootTestingCall: { _enum: { fill_block: { @@ -1128,7 +1130,7 @@ export default { trigger_defensive: "Null", }, }, - /** Lookup103: pallet_balances::pallet::Call */ + /** Lookup105: pallet_balances::pallet::Call */ PalletBalancesCall: { _enum: { transfer_allow_death: { @@ -1167,11 +1169,11 @@ export default { }, }, }, - /** Lookup106: pallet_balances::types::AdjustmentDirection */ + /** Lookup108: pallet_balances::types::AdjustmentDirection */ PalletBalancesAdjustmentDirection: { _enum: ["Increase", "Decrease"], }, - /** Lookup107: pallet_parachain_staking::pallet::Call */ + /** Lookup109: pallet_parachain_staking::pallet::Call */ PalletParachainStakingCall: { _enum: { set_staking_expectations: { @@ -1299,13 +1301,19 @@ export default { bond: "u128", candidateCount: "u32", }, + set_inflation_distribution_config: { + _alias: { + new_: "new", + }, + new_: "[Lookup44;2]", + }, }, }, - /** Lookup110: pallet_author_inherent::pallet::Call */ + /** Lookup112: pallet_author_inherent::pallet::Call */ PalletAuthorInherentCall: { _enum: ["kick_off_authorship_validation"], }, - /** Lookup111: pallet_author_slot_filter::pallet::Call */ + /** Lookup113: pallet_author_slot_filter::pallet::Call */ PalletAuthorSlotFilterCall: { _enum: { set_eligible: { @@ -1316,7 +1324,7 @@ export default { }, }, }, - /** Lookup112: pallet_author_mapping::pallet::Call */ + /** Lookup114: pallet_author_mapping::pallet::Call */ PalletAuthorMappingCall: { _enum: { add_association: { @@ -1338,7 +1346,7 @@ export default { }, }, }, - /** Lookup113: pallet_moonbeam_orbiters::pallet::Call */ + /** Lookup115: pallet_moonbeam_orbiters::pallet::Call */ PalletMoonbeamOrbitersCall: { _enum: { collator_add_orbiter: { @@ -1362,7 +1370,7 @@ export default { }, }, }, - /** Lookup114: pallet_utility::pallet::Call */ + /** Lookup116: pallet_utility::pallet::Call */ PalletUtilityCall: { _enum: { batch: { @@ -1388,7 +1396,7 @@ export default { }, }, }, - /** Lookup116: moonbeam_runtime::OriginCaller */ + /** Lookup118: moonbeam_runtime::OriginCaller */ MoonbeamRuntimeOriginCaller: { _enum: { system: "FrameSupportDispatchRawOrigin", @@ -1503,7 +1511,7 @@ export default { EthereumXcm: "PalletEthereumXcmRawOrigin", }, }, - /** Lookup117: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ + /** Lookup119: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ FrameSupportDispatchRawOrigin: { _enum: { Root: "Null", @@ -1511,13 +1519,13 @@ export default { None: "Null", }, }, - /** Lookup118: pallet_ethereum::RawOrigin */ + /** Lookup120: pallet_ethereum::RawOrigin */ PalletEthereumRawOrigin: { _enum: { EthereumTransaction: "H160", }, }, - /** Lookup119: moonbeam_runtime::governance::origins::custom_origins::Origin */ + /** Lookup121: moonbeam_runtime::governance::origins::custom_origins::Origin */ MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin: { _enum: [ "WhitelistedCaller", @@ -1527,7 +1535,7 @@ export default { "FastGeneralAdmin", ], }, - /** Lookup120: pallet_collective::RawOrigin */ + /** Lookup122: pallet_collective::RawOrigin */ PalletCollectiveRawOrigin: { _enum: { Members: "(u32,u32)", @@ -1535,40 +1543,40 @@ export default { _Phantom: "Null", }, }, - /** Lookup122: cumulus_pallet_xcm::pallet::Origin */ + /** Lookup124: cumulus_pallet_xcm::pallet::Origin */ CumulusPalletXcmOrigin: { _enum: { Relay: "Null", SiblingParachain: "u32", }, }, - /** Lookup123: pallet_xcm::pallet::Origin */ + /** Lookup125: pallet_xcm::pallet::Origin */ PalletXcmOrigin: { _enum: { Xcm: "StagingXcmV4Location", Response: "StagingXcmV4Location", }, }, - /** Lookup124: staging_xcm::v4::location::Location */ + /** Lookup126: staging_xcm::v4::location::Location */ StagingXcmV4Location: { parents: "u8", interior: "StagingXcmV4Junctions", }, - /** Lookup125: staging_xcm::v4::junctions::Junctions */ + /** Lookup127: staging_xcm::v4::junctions::Junctions */ StagingXcmV4Junctions: { _enum: { Here: "Null", - X1: "[Lookup127;1]", - X2: "[Lookup127;2]", - X3: "[Lookup127;3]", - X4: "[Lookup127;4]", - X5: "[Lookup127;5]", - X6: "[Lookup127;6]", - X7: "[Lookup127;7]", - X8: "[Lookup127;8]", + X1: "[Lookup129;1]", + X2: "[Lookup129;2]", + X3: "[Lookup129;3]", + X4: "[Lookup129;4]", + X5: "[Lookup129;5]", + X6: "[Lookup129;6]", + X7: "[Lookup129;7]", + X8: "[Lookup129;8]", }, }, - /** Lookup127: staging_xcm::v4::junction::Junction */ + /** Lookup129: staging_xcm::v4::junction::Junction */ StagingXcmV4Junction: { _enum: { Parachain: "Compact", @@ -1598,7 +1606,7 @@ export default { GlobalConsensus: "StagingXcmV4JunctionNetworkId", }, }, - /** Lookup130: staging_xcm::v4::junction::NetworkId */ + /** Lookup132: staging_xcm::v4::junction::NetworkId */ StagingXcmV4JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1619,7 +1627,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup131: xcm::v3::junction::BodyId */ + /** Lookup133: xcm::v3::junction::BodyId */ XcmV3JunctionBodyId: { _enum: { Unit: "Null", @@ -1634,7 +1642,7 @@ export default { Treasury: "Null", }, }, - /** Lookup132: xcm::v3::junction::BodyPart */ + /** Lookup134: xcm::v3::junction::BodyPart */ XcmV3JunctionBodyPart: { _enum: { Voice: "Null", @@ -1655,15 +1663,15 @@ export default { }, }, }, - /** Lookup140: pallet_ethereum_xcm::RawOrigin */ + /** Lookup142: pallet_ethereum_xcm::RawOrigin */ PalletEthereumXcmRawOrigin: { _enum: { XcmEthereumTransaction: "H160", }, }, - /** Lookup141: sp_core::Void */ + /** Lookup143: sp_core::Void */ SpCoreVoid: "Null", - /** Lookup142: pallet_proxy::pallet::Call */ + /** Lookup144: pallet_proxy::pallet::Call */ PalletProxyCall: { _enum: { proxy: { @@ -1714,11 +1722,11 @@ export default { }, }, }, - /** Lookup144: pallet_maintenance_mode::pallet::Call */ + /** Lookup146: pallet_maintenance_mode::pallet::Call */ PalletMaintenanceModeCall: { _enum: ["enter_maintenance_mode", "resume_normal_operation"], }, - /** Lookup145: pallet_identity::pallet::Call */ + /** Lookup147: pallet_identity::pallet::Call */ PalletIdentityCall: { _enum: { add_registrar: { @@ -1801,7 +1809,7 @@ export default { }, }, }, - /** Lookup146: pallet_identity::legacy::IdentityInfo */ + /** Lookup148: pallet_identity::legacy::IdentityInfo */ PalletIdentityLegacyIdentityInfo: { additional: "Vec<(Data,Data)>", display: "Data", @@ -1813,7 +1821,7 @@ export default { image: "Data", twitter: "Data", }, - /** Lookup184: pallet_identity::types::Judgement */ + /** Lookup186: pallet_identity::types::Judgement */ PalletIdentityJudgement: { _enum: { Unknown: "Null", @@ -1825,9 +1833,9 @@ export default { Erroneous: "Null", }, }, - /** Lookup186: account::EthereumSignature */ + /** Lookup188: account::EthereumSignature */ AccountEthereumSignature: "[u8;65]", - /** Lookup188: pallet_multisig::pallet::Call */ + /** Lookup190: pallet_multisig::pallet::Call */ PalletMultisigCall: { _enum: { as_multi_threshold_1: { @@ -1856,7 +1864,7 @@ export default { }, }, }, - /** Lookup190: pallet_moonbeam_lazy_migrations::pallet::Call */ + /** Lookup192: pallet_moonbeam_lazy_migrations::pallet::Call */ PalletMoonbeamLazyMigrationsCall: { _enum: { __Unused0: "Null", @@ -1864,9 +1872,12 @@ export default { addresses: "Vec", limit: "u32", }, + create_contract_metadata: { + address: "H160", + }, }, }, - /** Lookup193: pallet_evm::pallet::Call */ + /** Lookup195: pallet_evm::pallet::Call */ PalletEvmCall: { _enum: { withdraw: { @@ -1907,7 +1918,7 @@ export default { }, }, }, - /** Lookup199: pallet_ethereum::pallet::Call */ + /** Lookup201: pallet_ethereum::pallet::Call */ PalletEthereumCall: { _enum: { transact: { @@ -1915,7 +1926,7 @@ export default { }, }, }, - /** Lookup200: ethereum::transaction::TransactionV2 */ + /** Lookup202: ethereum::transaction::TransactionV2 */ EthereumTransactionTransactionV2: { _enum: { Legacy: "EthereumTransactionLegacyTransaction", @@ -1923,7 +1934,7 @@ export default { EIP1559: "EthereumTransactionEip1559Transaction", }, }, - /** Lookup201: ethereum::transaction::LegacyTransaction */ + /** Lookup203: ethereum::transaction::LegacyTransaction */ EthereumTransactionLegacyTransaction: { nonce: "U256", gasPrice: "U256", @@ -1933,20 +1944,20 @@ export default { input: "Bytes", signature: "EthereumTransactionTransactionSignature", }, - /** Lookup202: ethereum::transaction::TransactionAction */ + /** Lookup204: ethereum::transaction::TransactionAction */ EthereumTransactionTransactionAction: { _enum: { Call: "H160", Create: "Null", }, }, - /** Lookup203: ethereum::transaction::TransactionSignature */ + /** Lookup205: ethereum::transaction::TransactionSignature */ EthereumTransactionTransactionSignature: { v: "u64", r: "H256", s: "H256", }, - /** Lookup205: ethereum::transaction::EIP2930Transaction */ + /** Lookup207: ethereum::transaction::EIP2930Transaction */ EthereumTransactionEip2930Transaction: { chainId: "u64", nonce: "U256", @@ -1960,12 +1971,12 @@ export default { r: "H256", s: "H256", }, - /** Lookup207: ethereum::transaction::AccessListItem */ + /** Lookup209: ethereum::transaction::AccessListItem */ EthereumTransactionAccessListItem: { address: "H160", storageKeys: "Vec", }, - /** Lookup208: ethereum::transaction::EIP1559Transaction */ + /** Lookup210: ethereum::transaction::EIP1559Transaction */ EthereumTransactionEip1559Transaction: { chainId: "u64", nonce: "U256", @@ -1980,7 +1991,7 @@ export default { r: "H256", s: "H256", }, - /** Lookup209: pallet_scheduler::pallet::Call */ + /** Lookup211: pallet_scheduler::pallet::Call */ PalletSchedulerCall: { _enum: { schedule: { @@ -2034,7 +2045,7 @@ export default { }, }, }, - /** Lookup211: pallet_preimage::pallet::Call */ + /** Lookup213: pallet_preimage::pallet::Call */ PalletPreimageCall: { _enum: { note_preimage: { @@ -2063,7 +2074,7 @@ export default { }, }, }, - /** Lookup212: pallet_conviction_voting::pallet::Call */ + /** Lookup214: pallet_conviction_voting::pallet::Call */ PalletConvictionVotingCall: { _enum: { vote: { @@ -2094,7 +2105,7 @@ export default { }, }, }, - /** Lookup213: pallet_conviction_voting::vote::AccountVote */ + /** Lookup215: pallet_conviction_voting::vote::AccountVote */ PalletConvictionVotingVoteAccountVote: { _enum: { Standard: { @@ -2112,11 +2123,11 @@ export default { }, }, }, - /** Lookup215: pallet_conviction_voting::conviction::Conviction */ + /** Lookup217: pallet_conviction_voting::conviction::Conviction */ PalletConvictionVotingConviction: { _enum: ["None", "Locked1x", "Locked2x", "Locked3x", "Locked4x", "Locked5x", "Locked6x"], }, - /** Lookup217: pallet_referenda::pallet::Call */ + /** Lookup219: pallet_referenda::pallet::Call */ PalletReferendaCall: { _enum: { submit: { @@ -2151,14 +2162,14 @@ export default { }, }, }, - /** Lookup218: frame_support::traits::schedule::DispatchTime */ + /** Lookup220: frame_support::traits::schedule::DispatchTime */ FrameSupportScheduleDispatchTime: { _enum: { At: "u32", After: "u32", }, }, - /** Lookup220: pallet_whitelist::pallet::Call */ + /** Lookup222: pallet_whitelist::pallet::Call */ PalletWhitelistCall: { _enum: { whitelist_call: { @@ -2177,7 +2188,7 @@ export default { }, }, }, - /** Lookup221: pallet_collective::pallet::Call */ + /** Lookup223: pallet_collective::pallet::Call */ PalletCollectiveCall: { _enum: { set_members: { @@ -2211,7 +2222,7 @@ export default { }, }, }, - /** Lookup223: pallet_treasury::pallet::Call */ + /** Lookup225: pallet_treasury::pallet::Call */ PalletTreasuryCall: { _enum: { propose_spend: { @@ -2248,7 +2259,7 @@ export default { }, }, }, - /** Lookup225: pallet_crowdloan_rewards::pallet::Call */ + /** Lookup227: pallet_crowdloan_rewards::pallet::Call */ PalletCrowdloanRewardsCall: { _enum: { associate_native_identity: { @@ -2273,7 +2284,7 @@ export default { }, }, }, - /** Lookup226: sp_runtime::MultiSignature */ + /** Lookup228: sp_runtime::MultiSignature */ SpRuntimeMultiSignature: { _enum: { Ed25519: "[u8;64]", @@ -2281,9 +2292,9 @@ export default { Ecdsa: "[u8;65]", }, }, - /** Lookup232: cumulus_pallet_dmp_queue::pallet::Call */ + /** Lookup234: cumulus_pallet_dmp_queue::pallet::Call */ CumulusPalletDmpQueueCall: "Null", - /** Lookup233: pallet_xcm::pallet::Call */ + /** Lookup235: pallet_xcm::pallet::Call */ PalletXcmCall: { _enum: { send: { @@ -2358,7 +2369,7 @@ export default { }, }, }, - /** Lookup234: xcm::VersionedLocation */ + /** Lookup236: xcm::VersionedLocation */ XcmVersionedLocation: { _enum: { __Unused0: "Null", @@ -2368,12 +2379,12 @@ export default { V4: "StagingXcmV4Location", }, }, - /** Lookup235: xcm::v2::multilocation::MultiLocation */ + /** Lookup237: xcm::v2::multilocation::MultiLocation */ XcmV2MultiLocation: { parents: "u8", interior: "XcmV2MultilocationJunctions", }, - /** Lookup236: xcm::v2::multilocation::Junctions */ + /** Lookup238: xcm::v2::multilocation::Junctions */ XcmV2MultilocationJunctions: { _enum: { Here: "Null", @@ -2387,7 +2398,7 @@ export default { X8: "(XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction)", }, }, - /** Lookup237: xcm::v2::junction::Junction */ + /** Lookup239: xcm::v2::junction::Junction */ XcmV2Junction: { _enum: { Parachain: "Compact", @@ -2413,7 +2424,7 @@ export default { }, }, }, - /** Lookup238: xcm::v2::NetworkId */ + /** Lookup240: xcm::v2::NetworkId */ XcmV2NetworkId: { _enum: { Any: "Null", @@ -2422,7 +2433,7 @@ export default { Kusama: "Null", }, }, - /** Lookup240: xcm::v2::BodyId */ + /** Lookup242: xcm::v2::BodyId */ XcmV2BodyId: { _enum: { Unit: "Null", @@ -2437,7 +2448,7 @@ export default { Treasury: "Null", }, }, - /** Lookup241: xcm::v2::BodyPart */ + /** Lookup243: xcm::v2::BodyPart */ XcmV2BodyPart: { _enum: { Voice: "Null", @@ -2458,12 +2469,12 @@ export default { }, }, }, - /** Lookup242: staging_xcm::v3::multilocation::MultiLocation */ + /** Lookup244: staging_xcm::v3::multilocation::MultiLocation */ StagingXcmV3MultiLocation: { parents: "u8", interior: "XcmV3Junctions", }, - /** Lookup243: xcm::v3::junctions::Junctions */ + /** Lookup245: xcm::v3::junctions::Junctions */ XcmV3Junctions: { _enum: { Here: "Null", @@ -2477,7 +2488,7 @@ export default { X8: "(XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction)", }, }, - /** Lookup244: xcm::v3::junction::Junction */ + /** Lookup246: xcm::v3::junction::Junction */ XcmV3Junction: { _enum: { Parachain: "Compact", @@ -2507,7 +2518,7 @@ export default { GlobalConsensus: "XcmV3JunctionNetworkId", }, }, - /** Lookup246: xcm::v3::junction::NetworkId */ + /** Lookup248: xcm::v3::junction::NetworkId */ XcmV3JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -2528,7 +2539,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup247: xcm::VersionedXcm */ + /** Lookup249: xcm::VersionedXcm */ XcmVersionedXcm: { _enum: { __Unused0: "Null", @@ -2538,9 +2549,9 @@ export default { V4: "StagingXcmV4Xcm", }, }, - /** Lookup248: xcm::v2::Xcm */ + /** Lookup250: xcm::v2::Xcm */ XcmV2Xcm: "Vec", - /** Lookup250: xcm::v2::Instruction */ + /** Lookup252: xcm::v2::Instruction */ XcmV2Instruction: { _enum: { WithdrawAsset: "XcmV2MultiassetMultiAssets", @@ -2636,28 +2647,28 @@ export default { UnsubscribeVersion: "Null", }, }, - /** Lookup251: xcm::v2::multiasset::MultiAssets */ + /** Lookup253: xcm::v2::multiasset::MultiAssets */ XcmV2MultiassetMultiAssets: "Vec", - /** Lookup253: xcm::v2::multiasset::MultiAsset */ + /** Lookup255: xcm::v2::multiasset::MultiAsset */ XcmV2MultiAsset: { id: "XcmV2MultiassetAssetId", fun: "XcmV2MultiassetFungibility", }, - /** Lookup254: xcm::v2::multiasset::AssetId */ + /** Lookup256: xcm::v2::multiasset::AssetId */ XcmV2MultiassetAssetId: { _enum: { Concrete: "XcmV2MultiLocation", Abstract: "Bytes", }, }, - /** Lookup255: xcm::v2::multiasset::Fungibility */ + /** Lookup257: xcm::v2::multiasset::Fungibility */ XcmV2MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV2MultiassetAssetInstance", }, }, - /** Lookup256: xcm::v2::multiasset::AssetInstance */ + /** Lookup258: xcm::v2::multiasset::AssetInstance */ XcmV2MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2669,7 +2680,7 @@ export default { Blob: "Bytes", }, }, - /** Lookup257: xcm::v2::Response */ + /** Lookup259: xcm::v2::Response */ XcmV2Response: { _enum: { Null: "Null", @@ -2678,7 +2689,7 @@ export default { Version: "u32", }, }, - /** Lookup260: xcm::v2::traits::Error */ + /** Lookup262: xcm::v2::traits::Error */ XcmV2TraitsError: { _enum: { Overflow: "Null", @@ -2709,22 +2720,22 @@ export default { WeightNotComputable: "Null", }, }, - /** Lookup261: xcm::v2::OriginKind */ + /** Lookup263: xcm::v2::OriginKind */ XcmV2OriginKind: { _enum: ["Native", "SovereignAccount", "Superuser", "Xcm"], }, - /** Lookup262: xcm::double_encoded::DoubleEncoded */ + /** Lookup264: xcm::double_encoded::DoubleEncoded */ XcmDoubleEncoded: { encoded: "Bytes", }, - /** Lookup263: xcm::v2::multiasset::MultiAssetFilter */ + /** Lookup265: xcm::v2::multiasset::MultiAssetFilter */ XcmV2MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV2MultiassetMultiAssets", Wild: "XcmV2MultiassetWildMultiAsset", }, }, - /** Lookup264: xcm::v2::multiasset::WildMultiAsset */ + /** Lookup266: xcm::v2::multiasset::WildMultiAsset */ XcmV2MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -2734,20 +2745,20 @@ export default { }, }, }, - /** Lookup265: xcm::v2::multiasset::WildFungibility */ + /** Lookup267: xcm::v2::multiasset::WildFungibility */ XcmV2MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup266: xcm::v2::WeightLimit */ + /** Lookup268: xcm::v2::WeightLimit */ XcmV2WeightLimit: { _enum: { Unlimited: "Null", Limited: "Compact", }, }, - /** Lookup267: xcm::v3::Xcm */ + /** Lookup269: xcm::v3::Xcm */ XcmV3Xcm: "Vec", - /** Lookup269: xcm::v3::Instruction */ + /** Lookup271: xcm::v3::Instruction */ XcmV3Instruction: { _enum: { WithdrawAsset: "XcmV3MultiassetMultiAssets", @@ -2887,28 +2898,28 @@ export default { }, }, }, - /** Lookup270: xcm::v3::multiasset::MultiAssets */ + /** Lookup272: xcm::v3::multiasset::MultiAssets */ XcmV3MultiassetMultiAssets: "Vec", - /** Lookup272: xcm::v3::multiasset::MultiAsset */ + /** Lookup274: xcm::v3::multiasset::MultiAsset */ XcmV3MultiAsset: { id: "XcmV3MultiassetAssetId", fun: "XcmV3MultiassetFungibility", }, - /** Lookup273: xcm::v3::multiasset::AssetId */ + /** Lookup275: xcm::v3::multiasset::AssetId */ XcmV3MultiassetAssetId: { _enum: { Concrete: "StagingXcmV3MultiLocation", Abstract: "[u8;32]", }, }, - /** Lookup274: xcm::v3::multiasset::Fungibility */ + /** Lookup276: xcm::v3::multiasset::Fungibility */ XcmV3MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV3MultiassetAssetInstance", }, }, - /** Lookup275: xcm::v3::multiasset::AssetInstance */ + /** Lookup277: xcm::v3::multiasset::AssetInstance */ XcmV3MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2919,7 +2930,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup276: xcm::v3::Response */ + /** Lookup278: xcm::v3::Response */ XcmV3Response: { _enum: { Null: "Null", @@ -2930,7 +2941,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup279: xcm::v3::traits::Error */ + /** Lookup281: xcm::v3::traits::Error */ XcmV3TraitsError: { _enum: { Overflow: "Null", @@ -2975,7 +2986,7 @@ export default { ExceedsStackLimit: "Null", }, }, - /** Lookup281: xcm::v3::PalletInfo */ + /** Lookup283: xcm::v3::PalletInfo */ XcmV3PalletInfo: { index: "Compact", name: "Bytes", @@ -2984,7 +2995,7 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup284: xcm::v3::MaybeErrorCode */ + /** Lookup286: xcm::v3::MaybeErrorCode */ XcmV3MaybeErrorCode: { _enum: { Success: "Null", @@ -2992,20 +3003,20 @@ export default { TruncatedError: "Bytes", }, }, - /** Lookup287: xcm::v3::QueryResponseInfo */ + /** Lookup289: xcm::v3::QueryResponseInfo */ XcmV3QueryResponseInfo: { destination: "StagingXcmV3MultiLocation", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup288: xcm::v3::multiasset::MultiAssetFilter */ + /** Lookup290: xcm::v3::multiasset::MultiAssetFilter */ XcmV3MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV3MultiassetMultiAssets", Wild: "XcmV3MultiassetWildMultiAsset", }, }, - /** Lookup289: xcm::v3::multiasset::WildMultiAsset */ + /** Lookup291: xcm::v3::multiasset::WildMultiAsset */ XcmV3MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3021,20 +3032,20 @@ export default { }, }, }, - /** Lookup290: xcm::v3::multiasset::WildFungibility */ + /** Lookup292: xcm::v3::multiasset::WildFungibility */ XcmV3MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup291: xcm::v3::WeightLimit */ + /** Lookup293: xcm::v3::WeightLimit */ XcmV3WeightLimit: { _enum: { Unlimited: "Null", Limited: "SpWeightsWeightV2Weight", }, }, - /** Lookup292: staging_xcm::v4::Xcm */ + /** Lookup294: staging_xcm::v4::Xcm */ StagingXcmV4Xcm: "Vec", - /** Lookup294: staging_xcm::v4::Instruction */ + /** Lookup296: staging_xcm::v4::Instruction */ StagingXcmV4Instruction: { _enum: { WithdrawAsset: "StagingXcmV4AssetAssets", @@ -3174,23 +3185,23 @@ export default { }, }, }, - /** Lookup295: staging_xcm::v4::asset::Assets */ + /** Lookup297: staging_xcm::v4::asset::Assets */ StagingXcmV4AssetAssets: "Vec", - /** Lookup297: staging_xcm::v4::asset::Asset */ + /** Lookup299: staging_xcm::v4::asset::Asset */ StagingXcmV4Asset: { id: "StagingXcmV4AssetAssetId", fun: "StagingXcmV4AssetFungibility", }, - /** Lookup298: staging_xcm::v4::asset::AssetId */ + /** Lookup300: staging_xcm::v4::asset::AssetId */ StagingXcmV4AssetAssetId: "StagingXcmV4Location", - /** Lookup299: staging_xcm::v4::asset::Fungibility */ + /** Lookup301: staging_xcm::v4::asset::Fungibility */ StagingXcmV4AssetFungibility: { _enum: { Fungible: "Compact", NonFungible: "StagingXcmV4AssetAssetInstance", }, }, - /** Lookup300: staging_xcm::v4::asset::AssetInstance */ + /** Lookup302: staging_xcm::v4::asset::AssetInstance */ StagingXcmV4AssetAssetInstance: { _enum: { Undefined: "Null", @@ -3201,7 +3212,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup301: staging_xcm::v4::Response */ + /** Lookup303: staging_xcm::v4::Response */ StagingXcmV4Response: { _enum: { Null: "Null", @@ -3212,7 +3223,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup303: staging_xcm::v4::PalletInfo */ + /** Lookup305: staging_xcm::v4::PalletInfo */ StagingXcmV4PalletInfo: { index: "Compact", name: "Bytes", @@ -3221,20 +3232,20 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup307: staging_xcm::v4::QueryResponseInfo */ + /** Lookup309: staging_xcm::v4::QueryResponseInfo */ StagingXcmV4QueryResponseInfo: { destination: "StagingXcmV4Location", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup308: staging_xcm::v4::asset::AssetFilter */ + /** Lookup310: staging_xcm::v4::asset::AssetFilter */ StagingXcmV4AssetAssetFilter: { _enum: { Definite: "StagingXcmV4AssetAssets", Wild: "StagingXcmV4AssetWildAsset", }, }, - /** Lookup309: staging_xcm::v4::asset::WildAsset */ + /** Lookup311: staging_xcm::v4::asset::WildAsset */ StagingXcmV4AssetWildAsset: { _enum: { All: "Null", @@ -3250,11 +3261,11 @@ export default { }, }, }, - /** Lookup310: staging_xcm::v4::asset::WildFungibility */ + /** Lookup312: staging_xcm::v4::asset::WildFungibility */ StagingXcmV4AssetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup311: xcm::VersionedAssets */ + /** Lookup313: xcm::VersionedAssets */ XcmVersionedAssets: { _enum: { __Unused0: "Null", @@ -3264,7 +3275,7 @@ export default { V4: "StagingXcmV4AssetAssets", }, }, - /** Lookup323: staging_xcm_executor::traits::asset_transfer::TransferType */ + /** Lookup325: staging_xcm_executor::traits::asset_transfer::TransferType */ StagingXcmExecutorAssetTransferTransferType: { _enum: { Teleport: "Null", @@ -3273,7 +3284,7 @@ export default { RemoteReserve: "XcmVersionedLocation", }, }, - /** Lookup324: xcm::VersionedAssetId */ + /** Lookup326: xcm::VersionedAssetId */ XcmVersionedAssetId: { _enum: { __Unused0: "Null", @@ -3283,7 +3294,7 @@ export default { V4: "StagingXcmV4AssetAssetId", }, }, - /** Lookup325: pallet_assets::pallet::Call */ + /** Lookup327: pallet_assets::pallet::Call */ PalletAssetsCall: { _enum: { create: { @@ -3433,7 +3444,7 @@ export default { }, }, }, - /** Lookup326: pallet_asset_manager::pallet::Call */ + /** Lookup328: pallet_asset_manager::pallet::Call */ PalletAssetManagerCall: { _enum: { register_foreign_asset: { @@ -3442,20 +3453,13 @@ export default { minAmount: "u128", isSufficient: "bool", }, - set_asset_units_per_second: { - assetType: "MoonbeamRuntimeXcmConfigAssetType", - unitsPerSecond: "u128", - numAssetsWeightHint: "u32", - }, + __Unused1: "Null", change_existing_asset_type: { assetId: "u128", newAssetType: "MoonbeamRuntimeXcmConfigAssetType", numAssetsWeightHint: "u32", }, - remove_supported_asset: { - assetType: "MoonbeamRuntimeXcmConfigAssetType", - numAssetsWeightHint: "u32", - }, + __Unused3: "Null", remove_existing_asset_type: { assetId: "u128", numAssetsWeightHint: "u32", @@ -3467,20 +3471,20 @@ export default { }, }, }, - /** Lookup327: moonbeam_runtime::xcm_config::AssetType */ + /** Lookup329: moonbeam_runtime::xcm_config::AssetType */ MoonbeamRuntimeXcmConfigAssetType: { _enum: { Xcm: "StagingXcmV3MultiLocation", }, }, - /** Lookup328: moonbeam_runtime::asset_config::AssetRegistrarMetadata */ + /** Lookup330: moonbeam_runtime::asset_config::AssetRegistrarMetadata */ MoonbeamRuntimeAssetConfigAssetRegistrarMetadata: { name: "Bytes", symbol: "Bytes", decimals: "u8", isFrozen: "bool", }, - /** Lookup329: orml_xtokens::module::Call */ + /** Lookup331: orml_xtokens::module::Call */ OrmlXtokensModuleCall: { _enum: { transfer: { @@ -3521,7 +3525,7 @@ export default { }, }, }, - /** Lookup330: moonbeam_runtime::xcm_config::CurrencyId */ + /** Lookup332: moonbeam_runtime::xcm_config::CurrencyId */ MoonbeamRuntimeXcmConfigCurrencyId: { _enum: { SelfReserve: "Null", @@ -3531,7 +3535,7 @@ export default { }, }, }, - /** Lookup331: xcm::VersionedAsset */ + /** Lookup333: xcm::VersionedAsset */ XcmVersionedAsset: { _enum: { __Unused0: "Null", @@ -3541,7 +3545,7 @@ export default { V4: "StagingXcmV4Asset", }, }, - /** Lookup334: pallet_xcm_transactor::pallet::Call */ + /** Lookup336: pallet_xcm_transactor::pallet::Call */ PalletXcmTransactorCall: { _enum: { register: { @@ -3598,28 +3602,28 @@ export default { }, }, }, - /** Lookup335: moonbeam_runtime::xcm_config::Transactors */ + /** Lookup337: moonbeam_runtime::xcm_config::Transactors */ MoonbeamRuntimeXcmConfigTransactors: { _enum: ["Relay"], }, - /** Lookup336: pallet_xcm_transactor::pallet::CurrencyPayment */ + /** Lookup338: pallet_xcm_transactor::pallet::CurrencyPayment */ PalletXcmTransactorCurrencyPayment: { currency: "PalletXcmTransactorCurrency", feeAmount: "Option", }, - /** Lookup337: pallet_xcm_transactor::pallet::Currency */ + /** Lookup339: pallet_xcm_transactor::pallet::Currency */ PalletXcmTransactorCurrency: { _enum: { AsCurrencyId: "MoonbeamRuntimeXcmConfigCurrencyId", AsMultiLocation: "XcmVersionedLocation", }, }, - /** Lookup339: pallet_xcm_transactor::pallet::TransactWeights */ + /** Lookup341: pallet_xcm_transactor::pallet::TransactWeights */ PalletXcmTransactorTransactWeights: { transactRequiredWeightAtMost: "SpWeightsWeightV2Weight", overallWeight: "Option", }, - /** Lookup342: pallet_xcm_transactor::pallet::HrmpOperation */ + /** Lookup344: pallet_xcm_transactor::pallet::HrmpOperation */ PalletXcmTransactorHrmpOperation: { _enum: { InitOpen: "PalletXcmTransactorHrmpInitParams", @@ -3633,18 +3637,18 @@ export default { }, }, }, - /** Lookup343: pallet_xcm_transactor::pallet::HrmpInitParams */ + /** Lookup345: pallet_xcm_transactor::pallet::HrmpInitParams */ PalletXcmTransactorHrmpInitParams: { paraId: "u32", proposedMaxCapacity: "u32", proposedMaxMessageSize: "u32", }, - /** Lookup344: polkadot_parachain_primitives::primitives::HrmpChannelId */ + /** Lookup346: polkadot_parachain_primitives::primitives::HrmpChannelId */ PolkadotParachainPrimitivesPrimitivesHrmpChannelId: { sender: "u32", recipient: "u32", }, - /** Lookup345: pallet_ethereum_xcm::pallet::Call */ + /** Lookup347: pallet_ethereum_xcm::pallet::Call */ PalletEthereumXcmCall: { _enum: { transact: { @@ -3663,14 +3667,14 @@ export default { }, }, }, - /** Lookup346: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ + /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ XcmPrimitivesEthereumXcmEthereumXcmTransaction: { _enum: { V1: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV1", V2: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV2", }, }, - /** Lookup347: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ + /** Lookup349: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV1: { gasLimit: "U256", feePayment: "XcmPrimitivesEthereumXcmEthereumXcmFee", @@ -3679,19 +3683,19 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmFee */ + /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmFee */ XcmPrimitivesEthereumXcmEthereumXcmFee: { _enum: { Manual: "XcmPrimitivesEthereumXcmManualEthereumXcmFee", Auto: "Null", }, }, - /** Lookup349: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ + /** Lookup351: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ XcmPrimitivesEthereumXcmManualEthereumXcmFee: { gasPrice: "Option", maxFeePerGas: "Option", }, - /** Lookup352: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ + /** Lookup354: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV2: { gasLimit: "U256", action: "EthereumTransactionTransactionAction", @@ -3699,7 +3703,7 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup354: pallet_message_queue::pallet::Call */ + /** Lookup356: pallet_message_queue::pallet::Call */ PalletMessageQueueCall: { _enum: { reap_page: { @@ -3714,7 +3718,7 @@ export default { }, }, }, - /** Lookup355: cumulus_primitives_core::AggregateMessageOrigin */ + /** Lookup357: cumulus_primitives_core::AggregateMessageOrigin */ CumulusPrimitivesCoreAggregateMessageOrigin: { _enum: { Here: "Null", @@ -3722,19 +3726,73 @@ export default { Sibling: "u32", }, }, - /** Lookup356: pallet_randomness::pallet::Call */ + /** Lookup358: pallet_moonbeam_foreign_assets::pallet::Call */ + PalletMoonbeamForeignAssetsCall: { + _enum: { + create_foreign_asset: { + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + decimals: "u8", + symbol: "Bytes", + name: "Bytes", + }, + change_xcm_location: { + assetId: "u128", + newXcmLocation: "StagingXcmV4Location", + }, + freeze_foreign_asset: { + assetId: "u128", + allowXcmDeposit: "bool", + }, + unfreeze_foreign_asset: { + assetId: "u128", + }, + }, + }, + /** Lookup360: pallet_xcm_weight_trader::pallet::Call */ + PalletXcmWeightTraderCall: { + _enum: { + add_asset: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + edit_asset: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + pause_asset_support: { + location: "StagingXcmV4Location", + }, + resume_asset_support: { + location: "StagingXcmV4Location", + }, + remove_asset: { + location: "StagingXcmV4Location", + }, + }, + }, + /** Lookup361: pallet_emergency_para_xcm::pallet::Call */ + PalletEmergencyParaXcmCall: { + _enum: { + paused_to_normal: "Null", + fast_authorize_upgrade: { + codeHash: "H256", + }, + }, + }, + /** Lookup362: pallet_randomness::pallet::Call */ PalletRandomnessCall: { _enum: ["set_babe_randomness_results"], }, - /** Lookup357: sp_runtime::traits::BlakeTwo256 */ + /** Lookup363: sp_runtime::traits::BlakeTwo256 */ SpRuntimeBlakeTwo256: "Null", - /** Lookup359: pallet_conviction_voting::types::Tally */ + /** Lookup365: pallet_conviction_voting::types::Tally */ PalletConvictionVotingTally: { ayes: "u128", nays: "u128", support: "u128", }, - /** Lookup360: pallet_whitelist::pallet::Event */ + /** Lookup366: pallet_whitelist::pallet::Event */ PalletWhitelistEvent: { _enum: { CallWhitelisted: { @@ -3749,17 +3807,17 @@ export default { }, }, }, - /** Lookup362: frame_support::dispatch::PostDispatchInfo */ + /** Lookup368: frame_support::dispatch::PostDispatchInfo */ FrameSupportDispatchPostDispatchInfo: { actualWeight: "Option", paysFee: "FrameSupportDispatchPays", }, - /** Lookup363: sp_runtime::DispatchErrorWithPostInfo */ + /** Lookup369: sp_runtime::DispatchErrorWithPostInfo */ SpRuntimeDispatchErrorWithPostInfo: { postInfo: "FrameSupportDispatchPostDispatchInfo", error: "SpRuntimeDispatchError", }, - /** Lookup364: pallet_collective::pallet::Event */ + /** Lookup370: pallet_collective::pallet::Event */ PalletCollectiveEvent: { _enum: { Proposed: { @@ -3796,7 +3854,7 @@ export default { }, }, }, - /** Lookup366: pallet_treasury::pallet::Event */ + /** Lookup372: pallet_treasury::pallet::Event */ PalletTreasuryEvent: { _enum: { Proposed: { @@ -3856,7 +3914,7 @@ export default { }, }, }, - /** Lookup367: pallet_crowdloan_rewards::pallet::Event */ + /** Lookup373: pallet_crowdloan_rewards::pallet::Event */ PalletCrowdloanRewardsEvent: { _enum: { InitialPaymentMade: "(AccountId20,u128)", @@ -3867,7 +3925,7 @@ export default { InitializedAccountWithNotEnoughContribution: "([u8;32],Option,u128)", }, }, - /** Lookup368: cumulus_pallet_xcmp_queue::pallet::Event */ + /** Lookup374: cumulus_pallet_xcmp_queue::pallet::Event */ CumulusPalletXcmpQueueEvent: { _enum: { XcmpMessageSent: { @@ -3875,7 +3933,7 @@ export default { }, }, }, - /** Lookup369: cumulus_pallet_xcm::pallet::Event */ + /** Lookup375: cumulus_pallet_xcm::pallet::Event */ CumulusPalletXcmEvent: { _enum: { InvalidFormat: "[u8;32]", @@ -3883,7 +3941,7 @@ export default { ExecutedDownward: "([u8;32],StagingXcmV4TraitsOutcome)", }, }, - /** Lookup370: staging_xcm::v4::traits::Outcome */ + /** Lookup376: staging_xcm::v4::traits::Outcome */ StagingXcmV4TraitsOutcome: { _enum: { Complete: { @@ -3898,7 +3956,7 @@ export default { }, }, }, - /** Lookup371: cumulus_pallet_dmp_queue::pallet::Event */ + /** Lookup377: cumulus_pallet_dmp_queue::pallet::Event */ CumulusPalletDmpQueueEvent: { _enum: { StartedExport: "Null", @@ -3926,7 +3984,7 @@ export default { }, }, }, - /** Lookup372: pallet_xcm::pallet::Event */ + /** Lookup378: pallet_xcm::pallet::Event */ PalletXcmEvent: { _enum: { Attempted: { @@ -4049,7 +4107,7 @@ export default { }, }, }, - /** Lookup373: pallet_assets::pallet::Event */ + /** Lookup379: pallet_assets::pallet::Event */ PalletAssetsEvent: { _enum: { Created: { @@ -4163,7 +4221,7 @@ export default { }, }, }, - /** Lookup374: pallet_asset_manager::pallet::Event */ + /** Lookup380: pallet_asset_manager::pallet::Event */ PalletAssetManagerEvent: { _enum: { ForeignAssetRegistered: { @@ -4171,10 +4229,7 @@ export default { asset: "MoonbeamRuntimeXcmConfigAssetType", metadata: "MoonbeamRuntimeAssetConfigAssetRegistrarMetadata", }, - UnitsPerSecondChanged: { - assetType: "MoonbeamRuntimeXcmConfigAssetType", - unitsPerSecond: "u128", - }, + UnitsPerSecondChanged: "Null", ForeignAssetXcmLocationChanged: { assetId: "u128", newAssetType: "MoonbeamRuntimeXcmConfigAssetType", @@ -4195,7 +4250,7 @@ export default { }, }, }, - /** Lookup375: orml_xtokens::module::Event */ + /** Lookup381: orml_xtokens::module::Event */ OrmlXtokensModuleEvent: { _enum: { TransferredAssets: { @@ -4206,7 +4261,7 @@ export default { }, }, }, - /** Lookup376: pallet_xcm_transactor::pallet::Event */ + /** Lookup382: pallet_xcm_transactor::pallet::Event */ PalletXcmTransactorEvent: { _enum: { TransactedDerivative: { @@ -4254,13 +4309,13 @@ export default { }, }, }, - /** Lookup377: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ + /** Lookup383: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ PalletXcmTransactorRemoteTransactInfoWithMaxWeight: { transactExtraWeight: "SpWeightsWeightV2Weight", maxWeight: "SpWeightsWeightV2Weight", transactExtraWeightSigned: "Option", }, - /** Lookup378: pallet_ethereum_xcm::pallet::Event */ + /** Lookup384: pallet_ethereum_xcm::pallet::Event */ PalletEthereumXcmEvent: { _enum: { ExecutedFromXcm: { @@ -4269,7 +4324,7 @@ export default { }, }, }, - /** Lookup379: pallet_message_queue::pallet::Event */ + /** Lookup385: pallet_message_queue::pallet::Event */ PalletMessageQueueEvent: { _enum: { ProcessingFailed: { @@ -4295,7 +4350,7 @@ export default { }, }, }, - /** Lookup380: frame_support::traits::messages::ProcessMessageError */ + /** Lookup386: frame_support::traits::messages::ProcessMessageError */ FrameSupportMessagesProcessMessageError: { _enum: { BadFormat: "Null", @@ -4305,7 +4360,55 @@ export default { Yield: "Null", }, }, - /** Lookup381: pallet_randomness::pallet::Event */ + /** Lookup387: pallet_moonbeam_foreign_assets::pallet::Event */ + PalletMoonbeamForeignAssetsEvent: { + _enum: { + ForeignAssetCreated: { + contractAddress: "H160", + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + }, + ForeignAssetXcmLocationChanged: { + assetId: "u128", + newXcmLocation: "StagingXcmV4Location", + }, + ForeignAssetFrozen: { + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + }, + ForeignAssetUnfrozen: { + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + }, + }, + }, + /** Lookup388: pallet_xcm_weight_trader::pallet::Event */ + PalletXcmWeightTraderEvent: { + _enum: { + SupportedAssetAdded: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + SupportedAssetEdited: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + PauseAssetSupport: { + location: "StagingXcmV4Location", + }, + ResumeAssetSupport: { + location: "StagingXcmV4Location", + }, + SupportedAssetRemoved: { + location: "StagingXcmV4Location", + }, + }, + }, + /** Lookup389: pallet_emergency_para_xcm::pallet::Event */ + PalletEmergencyParaXcmEvent: { + _enum: ["EnteredPausedXcmMode", "NormalXcmOperationResumed"], + }, + /** Lookup390: pallet_randomness::pallet::Event */ PalletRandomnessEvent: { _enum: { RandomnessRequestedBabeEpoch: { @@ -4340,7 +4443,7 @@ export default { }, }, }, - /** Lookup382: frame_system::Phase */ + /** Lookup391: frame_system::Phase */ FrameSystemPhase: { _enum: { ApplyExtrinsic: "u32", @@ -4348,51 +4451,51 @@ export default { Initialization: "Null", }, }, - /** Lookup384: frame_system::LastRuntimeUpgradeInfo */ + /** Lookup393: frame_system::LastRuntimeUpgradeInfo */ FrameSystemLastRuntimeUpgradeInfo: { specVersion: "Compact", specName: "Text", }, - /** Lookup385: frame_system::CodeUpgradeAuthorization */ + /** Lookup394: frame_system::CodeUpgradeAuthorization */ FrameSystemCodeUpgradeAuthorization: { codeHash: "H256", checkVersion: "bool", }, - /** Lookup386: frame_system::limits::BlockWeights */ + /** Lookup395: frame_system::limits::BlockWeights */ FrameSystemLimitsBlockWeights: { baseBlock: "SpWeightsWeightV2Weight", maxBlock: "SpWeightsWeightV2Weight", perClass: "FrameSupportDispatchPerDispatchClassWeightsPerClass", }, - /** Lookup387: frame_support::dispatch::PerDispatchClass */ + /** Lookup396: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassWeightsPerClass: { normal: "FrameSystemLimitsWeightsPerClass", operational: "FrameSystemLimitsWeightsPerClass", mandatory: "FrameSystemLimitsWeightsPerClass", }, - /** Lookup388: frame_system::limits::WeightsPerClass */ + /** Lookup397: frame_system::limits::WeightsPerClass */ FrameSystemLimitsWeightsPerClass: { baseExtrinsic: "SpWeightsWeightV2Weight", maxExtrinsic: "Option", maxTotal: "Option", reserved: "Option", }, - /** Lookup389: frame_system::limits::BlockLength */ + /** Lookup398: frame_system::limits::BlockLength */ FrameSystemLimitsBlockLength: { max: "FrameSupportDispatchPerDispatchClassU32", }, - /** Lookup390: frame_support::dispatch::PerDispatchClass */ + /** Lookup399: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassU32: { normal: "u32", operational: "u32", mandatory: "u32", }, - /** Lookup391: sp_weights::RuntimeDbWeight */ + /** Lookup400: sp_weights::RuntimeDbWeight */ SpWeightsRuntimeDbWeight: { read: "u64", write: "u64", }, - /** Lookup392: sp_version::RuntimeVersion */ + /** Lookup401: sp_version::RuntimeVersion */ SpVersionRuntimeVersion: { specName: "Text", implName: "Text", @@ -4403,7 +4506,7 @@ export default { transactionVersion: "u32", stateVersion: "u8", }, - /** Lookup396: frame_system::pallet::Error */ + /** Lookup405: frame_system::pallet::Error */ FrameSystemError: { _enum: [ "InvalidSpecName", @@ -4417,38 +4520,38 @@ export default { "Unauthorized", ], }, - /** Lookup398: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ + /** Lookup407: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ CumulusPalletParachainSystemUnincludedSegmentAncestor: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", paraHeadHash: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup399: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ + /** Lookup408: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth: { umpMsgCount: "u32", umpTotalBytes: "u32", hrmpOutgoing: "BTreeMap", }, - /** Lookup401: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ + /** Lookup410: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate: { msgCount: "u32", totalBytes: "u32", }, - /** Lookup405: polkadot_primitives::v7::UpgradeGoAhead */ + /** Lookup414: polkadot_primitives::v7::UpgradeGoAhead */ PolkadotPrimitivesV7UpgradeGoAhead: { _enum: ["Abort", "GoAhead"], }, - /** Lookup406: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ + /** Lookup415: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ CumulusPalletParachainSystemUnincludedSegmentSegmentTracker: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", hrmpWatermark: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup408: polkadot_primitives::v7::UpgradeRestriction */ + /** Lookup417: polkadot_primitives::v7::UpgradeRestriction */ PolkadotPrimitivesV7UpgradeRestriction: { _enum: ["Present"], }, - /** Lookup409: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ + /** Lookup418: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot: { dmqMqcHead: "H256", relayDispatchQueueRemainingCapacity: @@ -4456,12 +4559,12 @@ export default { ingressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", egressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", }, - /** Lookup410: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ + /** Lookup419: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity: { remainingCount: "u32", remainingSize: "u32", }, - /** Lookup413: polkadot_primitives::v7::AbridgedHrmpChannel */ + /** Lookup422: polkadot_primitives::v7::AbridgedHrmpChannel */ PolkadotPrimitivesV7AbridgedHrmpChannel: { maxCapacity: "u32", maxTotalSize: "u32", @@ -4470,7 +4573,7 @@ export default { totalSize: "u32", mqcHead: "Option", }, - /** Lookup414: polkadot_primitives::v7::AbridgedHostConfiguration */ + /** Lookup423: polkadot_primitives::v7::AbridgedHostConfiguration */ PolkadotPrimitivesV7AbridgedHostConfiguration: { maxCodeSize: "u32", maxHeadDataSize: "u32", @@ -4483,17 +4586,17 @@ export default { validationUpgradeDelay: "u32", asyncBackingParams: "PolkadotPrimitivesV7AsyncBackingAsyncBackingParams", }, - /** Lookup415: polkadot_primitives::v7::async_backing::AsyncBackingParams */ + /** Lookup424: polkadot_primitives::v7::async_backing::AsyncBackingParams */ PolkadotPrimitivesV7AsyncBackingAsyncBackingParams: { maxCandidateDepth: "u32", allowedAncestryLen: "u32", }, - /** Lookup421: polkadot_core_primitives::OutboundHrmpMessage */ + /** Lookup430: polkadot_core_primitives::OutboundHrmpMessage */ PolkadotCorePrimitivesOutboundHrmpMessage: { recipient: "u32", data: "Bytes", }, - /** Lookup423: cumulus_pallet_parachain_system::pallet::Error */ + /** Lookup432: cumulus_pallet_parachain_system::pallet::Error */ CumulusPalletParachainSystemError: { _enum: [ "OverlappingUpgrades", @@ -4506,22 +4609,22 @@ export default { "Unauthorized", ], }, - /** Lookup425: pallet_balances::types::BalanceLock */ + /** Lookup434: pallet_balances::types::BalanceLock */ PalletBalancesBalanceLock: { id: "[u8;8]", amount: "u128", reasons: "PalletBalancesReasons", }, - /** Lookup426: pallet_balances::types::Reasons */ + /** Lookup435: pallet_balances::types::Reasons */ PalletBalancesReasons: { _enum: ["Fee", "Misc", "All"], }, - /** Lookup429: pallet_balances::types::ReserveData */ + /** Lookup438: pallet_balances::types::ReserveData */ PalletBalancesReserveData: { id: "[u8;4]", amount: "u128", }, - /** Lookup433: moonbeam_runtime::RuntimeHoldReason */ + /** Lookup442: moonbeam_runtime::RuntimeHoldReason */ MoonbeamRuntimeRuntimeHoldReason: { _enum: { __Unused0: "Null", @@ -4589,16 +4692,16 @@ export default { Preimage: "PalletPreimageHoldReason", }, }, - /** Lookup434: pallet_preimage::pallet::HoldReason */ + /** Lookup443: pallet_preimage::pallet::HoldReason */ PalletPreimageHoldReason: { _enum: ["Preimage"], }, - /** Lookup437: pallet_balances::types::IdAmount */ + /** Lookup446: pallet_balances::types::IdAmount */ PalletBalancesIdAmount: { id: "Null", amount: "u128", }, - /** Lookup439: pallet_balances::pallet::Error */ + /** Lookup448: pallet_balances::pallet::Error */ PalletBalancesError: { _enum: [ "VestingBalance", @@ -4615,26 +4718,18 @@ export default { "DeltaZero", ], }, - /** Lookup440: pallet_transaction_payment::Releases */ + /** Lookup449: pallet_transaction_payment::Releases */ PalletTransactionPaymentReleases: { _enum: ["V1Ancient", "V2"], }, - /** - * Lookup441: - * pallet_parachain_staking::types::ParachainBondConfig[account::AccountId20](account::AccountId20) - */ - PalletParachainStakingParachainBondConfig: { - account: "AccountId20", - percent: "Percent", - }, - /** Lookup442: pallet_parachain_staking::types::RoundInfo */ + /** Lookup450: pallet_parachain_staking::types::RoundInfo */ PalletParachainStakingRoundInfo: { current: "u32", first: "u32", length: "u32", firstSlot: "u64", }, - /** Lookup443: pallet_parachain_staking::types::Delegator */ + /** Lookup451: pallet_parachain_staking::types::Delegator */ PalletParachainStakingDelegator: { id: "AccountId20", delegations: "PalletParachainStakingSetOrderedSet", @@ -4643,24 +4738,24 @@ export default { status: "PalletParachainStakingDelegatorStatus", }, /** - * Lookup444: + * Lookup452: * pallet_parachain_staking::set::OrderedSet> */ PalletParachainStakingSetOrderedSet: "Vec", - /** Lookup445: pallet_parachain_staking::types::Bond */ + /** Lookup453: pallet_parachain_staking::types::Bond */ PalletParachainStakingBond: { owner: "AccountId20", amount: "u128", }, - /** Lookup447: pallet_parachain_staking::types::DelegatorStatus */ + /** Lookup455: pallet_parachain_staking::types::DelegatorStatus */ PalletParachainStakingDelegatorStatus: { _enum: { Active: "Null", Leaving: "u32", }, }, - /** Lookup448: pallet_parachain_staking::types::CandidateMetadata */ + /** Lookup456: pallet_parachain_staking::types::CandidateMetadata */ PalletParachainStakingCandidateMetadata: { bond: "u128", delegationCount: "u32", @@ -4673,16 +4768,16 @@ export default { request: "Option", status: "PalletParachainStakingCollatorStatus", }, - /** Lookup449: pallet_parachain_staking::types::CapacityStatus */ + /** Lookup457: pallet_parachain_staking::types::CapacityStatus */ PalletParachainStakingCapacityStatus: { _enum: ["Full", "Empty", "Partial"], }, - /** Lookup451: pallet_parachain_staking::types::CandidateBondLessRequest */ + /** Lookup459: pallet_parachain_staking::types::CandidateBondLessRequest */ PalletParachainStakingCandidateBondLessRequest: { amount: "u128", whenExecutable: "u32", }, - /** Lookup452: pallet_parachain_staking::types::CollatorStatus */ + /** Lookup460: pallet_parachain_staking::types::CollatorStatus */ PalletParachainStakingCollatorStatus: { _enum: { Active: "Null", @@ -4690,50 +4785,50 @@ export default { Leaving: "u32", }, }, - /** Lookup454: pallet_parachain_staking::delegation_requests::ScheduledRequest */ + /** Lookup462: pallet_parachain_staking::delegation_requests::ScheduledRequest */ PalletParachainStakingDelegationRequestsScheduledRequest: { delegator: "AccountId20", whenExecutable: "u32", action: "PalletParachainStakingDelegationRequestsDelegationAction", }, /** - * Lookup457: + * Lookup465: * pallet_parachain_staking::auto_compound::AutoCompoundConfig[account::AccountId20](account::AccountId20) */ PalletParachainStakingAutoCompoundAutoCompoundConfig: { delegator: "AccountId20", value: "Percent", }, - /** Lookup459: pallet_parachain_staking::types::Delegations */ + /** Lookup467: pallet_parachain_staking::types::Delegations */ PalletParachainStakingDelegations: { delegations: "Vec", total: "u128", }, /** - * Lookup461: + * Lookup469: * pallet_parachain_staking::set::BoundedOrderedSet, S> */ PalletParachainStakingSetBoundedOrderedSet: "Vec", - /** Lookup464: pallet_parachain_staking::types::CollatorSnapshot */ + /** Lookup472: pallet_parachain_staking::types::CollatorSnapshot */ PalletParachainStakingCollatorSnapshot: { bond: "u128", delegations: "Vec", total: "u128", }, - /** Lookup466: pallet_parachain_staking::types::BondWithAutoCompound */ + /** Lookup474: pallet_parachain_staking::types::BondWithAutoCompound */ PalletParachainStakingBondWithAutoCompound: { owner: "AccountId20", amount: "u128", autoCompound: "Percent", }, - /** Lookup467: pallet_parachain_staking::types::DelayedPayout */ + /** Lookup475: pallet_parachain_staking::types::DelayedPayout */ PalletParachainStakingDelayedPayout: { roundIssuance: "u128", totalStakingReward: "u128", collatorCommission: "Perbill", }, - /** Lookup468: pallet_parachain_staking::inflation::InflationInfo */ + /** Lookup476: pallet_parachain_staking::inflation::InflationInfo */ PalletParachainStakingInflationInflationInfo: { expect: { min: "u128", @@ -4751,7 +4846,7 @@ export default { max: "Perbill", }, }, - /** Lookup469: pallet_parachain_staking::pallet::Error */ + /** Lookup477: pallet_parachain_staking::pallet::Error */ PalletParachainStakingError: { _enum: [ "DelegatorDNE", @@ -4781,6 +4876,7 @@ export default { "CannotSetBelowMin", "RoundLengthMustBeGreaterThanTotalSelectedCollators", "NoWritingSameValue", + "TotalInflationDistributionPercentExceeds100", "TooLowCandidateCountWeightHintJoinCandidates", "TooLowCandidateCountWeightHintCancelLeaveCandidates", "TooLowCandidateCountToLeaveCandidates", @@ -4811,11 +4907,11 @@ export default { "CurrentRoundTooLow", ], }, - /** Lookup470: pallet_author_inherent::pallet::Error */ + /** Lookup478: pallet_author_inherent::pallet::Error */ PalletAuthorInherentError: { _enum: ["AuthorAlreadySet", "NoAccountId", "CannotBeAuthor"], }, - /** Lookup471: pallet_author_mapping::pallet::RegistrationInfo */ + /** Lookup479: pallet_author_mapping::pallet::RegistrationInfo */ PalletAuthorMappingRegistrationInfo: { _alias: { keys_: "keys", @@ -4824,7 +4920,7 @@ export default { deposit: "u128", keys_: "SessionKeysPrimitivesVrfVrfCryptoPublic", }, - /** Lookup472: pallet_author_mapping::pallet::Error */ + /** Lookup480: pallet_author_mapping::pallet::Error */ PalletAuthorMappingError: { _enum: [ "AssociationNotFound", @@ -4837,18 +4933,18 @@ export default { "DecodeKeysFailed", ], }, - /** Lookup473: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ + /** Lookup481: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCollatorPoolInfo: { orbiters: "Vec", maybeCurrentOrbiter: "Option", nextOrbiter: "u32", }, - /** Lookup475: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ + /** Lookup483: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCurrentOrbiter: { accountId: "AccountId20", removed: "bool", }, - /** Lookup476: pallet_moonbeam_orbiters::pallet::Error */ + /** Lookup484: pallet_moonbeam_orbiters::pallet::Error */ PalletMoonbeamOrbitersError: { _enum: [ "CollatorAlreadyAdded", @@ -4862,23 +4958,23 @@ export default { "OrbiterStillInAPool", ], }, - /** Lookup479: pallet_utility::pallet::Error */ + /** Lookup487: pallet_utility::pallet::Error */ PalletUtilityError: { _enum: ["TooManyCalls"], }, - /** Lookup482: pallet_proxy::ProxyDefinition */ + /** Lookup490: pallet_proxy::ProxyDefinition */ PalletProxyProxyDefinition: { delegate: "AccountId20", proxyType: "MoonbeamRuntimeProxyType", delay: "u32", }, - /** Lookup486: pallet_proxy::Announcement */ + /** Lookup494: pallet_proxy::Announcement */ PalletProxyAnnouncement: { real: "AccountId20", callHash: "H256", height: "u32", }, - /** Lookup488: pallet_proxy::pallet::Error */ + /** Lookup496: pallet_proxy::pallet::Error */ PalletProxyError: { _enum: [ "TooMany", @@ -4891,12 +4987,12 @@ export default { "NoSelfProxy", ], }, - /** Lookup489: pallet_maintenance_mode::pallet::Error */ + /** Lookup497: pallet_maintenance_mode::pallet::Error */ PalletMaintenanceModeError: { _enum: ["AlreadyInMaintenanceMode", "NotInMaintenanceMode"], }, /** - * Lookup491: pallet_identity::types::Registration> */ PalletIdentityRegistration: { @@ -4904,21 +5000,21 @@ export default { deposit: "u128", info: "PalletIdentityLegacyIdentityInfo", }, - /** Lookup500: pallet_identity::types::RegistrarInfo */ + /** Lookup508: pallet_identity::types::RegistrarInfo */ PalletIdentityRegistrarInfo: { account: "AccountId20", fee: "u128", fields: "u64", }, /** - * Lookup502: + * Lookup510: * pallet_identity::types::AuthorityProperties> */ PalletIdentityAuthorityProperties: { suffix: "Bytes", allocation: "u32", }, - /** Lookup505: pallet_identity::pallet::Error */ + /** Lookup513: pallet_identity::pallet::Error */ PalletIdentityError: { _enum: [ "TooManySubAccounts", @@ -4949,18 +5045,18 @@ export default { "NotExpired", ], }, - /** Lookup506: pallet_migrations::pallet::Error */ + /** Lookup514: pallet_migrations::pallet::Error */ PalletMigrationsError: { _enum: ["PreimageMissing", "WrongUpperBound", "PreimageIsTooBig", "PreimageAlreadyExists"], }, - /** Lookup508: pallet_multisig::Multisig */ + /** Lookup516: pallet_multisig::Multisig */ PalletMultisigMultisig: { when: "PalletMultisigTimepoint", deposit: "u128", depositor: "AccountId20", approvals: "Vec", }, - /** Lookup510: pallet_multisig::pallet::Error */ + /** Lookup518: pallet_multisig::pallet::Error */ PalletMultisigError: { _enum: [ "MinimumThreshold", @@ -4979,11 +5075,17 @@ export default { "AlreadyStored", ], }, - /** Lookup511: pallet_moonbeam_lazy_migrations::pallet::Error */ + /** Lookup519: pallet_moonbeam_lazy_migrations::pallet::Error */ PalletMoonbeamLazyMigrationsError: { - _enum: ["LimitCannotBeZero", "AddressesLengthCannotBeZero", "ContractNotCorrupted"], + _enum: [ + "LimitCannotBeZero", + "AddressesLengthCannotBeZero", + "ContractNotCorrupted", + "ContractMetadataAlreadySet", + "ContractNotExist", + ], }, - /** Lookup512: pallet_evm::CodeMetadata */ + /** Lookup520: pallet_evm::CodeMetadata */ PalletEvmCodeMetadata: { _alias: { size_: "size", @@ -4992,7 +5094,7 @@ export default { size_: "u64", hash_: "H256", }, - /** Lookup514: pallet_evm::pallet::Error */ + /** Lookup522: pallet_evm::pallet::Error */ PalletEvmError: { _enum: [ "BalanceLow", @@ -5010,7 +5112,7 @@ export default { "Undefined", ], }, - /** Lookup517: fp_rpc::TransactionStatus */ + /** Lookup525: fp_rpc::TransactionStatus */ FpRpcTransactionStatus: { transactionHash: "H256", transactionIndex: "u32", @@ -5020,9 +5122,9 @@ export default { logs: "Vec", logsBloom: "EthbloomBloom", }, - /** Lookup519: ethbloom::Bloom */ + /** Lookup527: ethbloom::Bloom */ EthbloomBloom: "[u8;256]", - /** Lookup521: ethereum::receipt::ReceiptV3 */ + /** Lookup529: ethereum::receipt::ReceiptV3 */ EthereumReceiptReceiptV3: { _enum: { Legacy: "EthereumReceiptEip658ReceiptData", @@ -5030,7 +5132,7 @@ export default { EIP1559: "EthereumReceiptEip658ReceiptData", }, }, - /** Lookup522: ethereum::receipt::EIP658ReceiptData */ + /** Lookup530: ethereum::receipt::EIP658ReceiptData */ EthereumReceiptEip658ReceiptData: { statusCode: "u8", usedGas: "U256", @@ -5038,7 +5140,7 @@ export default { logs: "Vec", }, /** - * Lookup523: + * Lookup531: * ethereum::block::Block[ethereum::transaction::TransactionV2](ethereum::transaction::TransactionV2) */ EthereumBlock: { @@ -5046,7 +5148,7 @@ export default { transactions: "Vec", ommers: "Vec", }, - /** Lookup524: ethereum::header::Header */ + /** Lookup532: ethereum::header::Header */ EthereumHeader: { parentHash: "H256", ommersHash: "H256", @@ -5064,14 +5166,14 @@ export default { mixHash: "H256", nonce: "EthereumTypesHashH64", }, - /** Lookup525: ethereum_types::hash::H64 */ + /** Lookup533: ethereum_types::hash::H64 */ EthereumTypesHashH64: "[u8;8]", - /** Lookup530: pallet_ethereum::pallet::Error */ + /** Lookup538: pallet_ethereum::pallet::Error */ PalletEthereumError: { _enum: ["InvalidSignature", "PreLogExists"], }, /** - * Lookup533: pallet_scheduler::Scheduled, BlockNumber, moonbeam_runtime::OriginCaller, account::AccountId20> */ @@ -5082,13 +5184,13 @@ export default { maybePeriodic: "Option<(u32,u32)>", origin: "MoonbeamRuntimeOriginCaller", }, - /** Lookup535: pallet_scheduler::RetryConfig */ + /** Lookup543: pallet_scheduler::RetryConfig */ PalletSchedulerRetryConfig: { totalRetries: "u8", remaining: "u8", period: "u32", }, - /** Lookup536: pallet_scheduler::pallet::Error */ + /** Lookup544: pallet_scheduler::pallet::Error */ PalletSchedulerError: { _enum: [ "FailedToSchedule", @@ -5098,7 +5200,7 @@ export default { "Named", ], }, - /** Lookup537: pallet_preimage::OldRequestStatus */ + /** Lookup545: pallet_preimage::OldRequestStatus */ PalletPreimageOldRequestStatus: { _enum: { Unrequested: { @@ -5113,7 +5215,7 @@ export default { }, }, /** - * Lookup540: pallet_preimage::RequestStatus> */ PalletPreimageRequestStatus: { @@ -5129,7 +5231,7 @@ export default { }, }, }, - /** Lookup546: pallet_preimage::pallet::Error */ + /** Lookup554: pallet_preimage::pallet::Error */ PalletPreimageError: { _enum: [ "TooBig", @@ -5143,7 +5245,7 @@ export default { ], }, /** - * Lookup548: pallet_conviction_voting::vote::Voting */ PalletConvictionVotingVoteVoting: { @@ -5152,20 +5254,20 @@ export default { Delegating: "PalletConvictionVotingVoteDelegating", }, }, - /** Lookup549: pallet_conviction_voting::vote::Casting */ + /** Lookup557: pallet_conviction_voting::vote::Casting */ PalletConvictionVotingVoteCasting: { votes: "Vec<(u32,PalletConvictionVotingVoteAccountVote)>", delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup553: pallet_conviction_voting::types::Delegations */ + /** Lookup561: pallet_conviction_voting::types::Delegations */ PalletConvictionVotingDelegations: { votes: "u128", capital: "u128", }, - /** Lookup554: pallet_conviction_voting::vote::PriorLock */ + /** Lookup562: pallet_conviction_voting::vote::PriorLock */ PalletConvictionVotingVotePriorLock: "(u32,u128)", - /** Lookup555: pallet_conviction_voting::vote::Delegating */ + /** Lookup563: pallet_conviction_voting::vote::Delegating */ PalletConvictionVotingVoteDelegating: { balance: "u128", target: "AccountId20", @@ -5173,7 +5275,7 @@ export default { delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup559: pallet_conviction_voting::pallet::Error */ + /** Lookup567: pallet_conviction_voting::pallet::Error */ PalletConvictionVotingError: { _enum: [ "NotOngoing", @@ -5191,7 +5293,7 @@ export default { ], }, /** - * Lookup560: pallet_referenda::types::ReferendumInfo, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5207,7 +5309,7 @@ export default { }, }, /** - * Lookup561: pallet_referenda::types::ReferendumStatus, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5225,17 +5327,17 @@ export default { inQueue: "bool", alarm: "Option<(u32,(u32,u32))>", }, - /** Lookup562: pallet_referenda::types::Deposit */ + /** Lookup570: pallet_referenda::types::Deposit */ PalletReferendaDeposit: { who: "AccountId20", amount: "u128", }, - /** Lookup565: pallet_referenda::types::DecidingStatus */ + /** Lookup573: pallet_referenda::types::DecidingStatus */ PalletReferendaDecidingStatus: { since: "u32", confirming: "Option", }, - /** Lookup573: pallet_referenda::types::TrackInfo */ + /** Lookup581: pallet_referenda::types::TrackInfo */ PalletReferendaTrackInfo: { name: "Text", maxDeciding: "u32", @@ -5247,7 +5349,7 @@ export default { minApproval: "PalletReferendaCurve", minSupport: "PalletReferendaCurve", }, - /** Lookup574: pallet_referenda::types::Curve */ + /** Lookup582: pallet_referenda::types::Curve */ PalletReferendaCurve: { _enum: { LinearDecreasing: { @@ -5268,7 +5370,7 @@ export default { }, }, }, - /** Lookup577: pallet_referenda::pallet::Error */ + /** Lookup585: pallet_referenda::pallet::Error */ PalletReferendaError: { _enum: [ "NotOngoing", @@ -5287,7 +5389,7 @@ export default { "PreimageStoredWithDifferentLength", ], }, - /** Lookup578: pallet_whitelist::pallet::Error */ + /** Lookup586: pallet_whitelist::pallet::Error */ PalletWhitelistError: { _enum: [ "UnavailablePreImage", @@ -5297,7 +5399,7 @@ export default { "CallAlreadyWhitelisted", ], }, - /** Lookup580: pallet_collective::Votes */ + /** Lookup588: pallet_collective::Votes */ PalletCollectiveVotes: { index: "u32", threshold: "u32", @@ -5305,7 +5407,7 @@ export default { nays: "Vec", end: "u32", }, - /** Lookup581: pallet_collective::pallet::Error */ + /** Lookup589: pallet_collective::pallet::Error */ PalletCollectiveError: { _enum: [ "NotMember", @@ -5321,7 +5423,7 @@ export default { "PrimeAccountNotMember", ], }, - /** Lookup584: pallet_treasury::Proposal */ + /** Lookup592: pallet_treasury::Proposal */ PalletTreasuryProposal: { proposer: "AccountId20", value: "u128", @@ -5329,7 +5431,7 @@ export default { bond: "u128", }, /** - * Lookup587: pallet_treasury::SpendStatus */ PalletTreasurySpendStatus: { @@ -5340,7 +5442,7 @@ export default { expireAt: "u32", status: "PalletTreasuryPaymentState", }, - /** Lookup588: pallet_treasury::PaymentState */ + /** Lookup596: pallet_treasury::PaymentState */ PalletTreasuryPaymentState: { _enum: { Pending: "Null", @@ -5350,9 +5452,9 @@ export default { Failed: "Null", }, }, - /** Lookup590: frame_support::PalletId */ + /** Lookup598: frame_support::PalletId */ FrameSupportPalletId: "[u8;8]", - /** Lookup591: pallet_treasury::pallet::Error */ + /** Lookup599: pallet_treasury::pallet::Error */ PalletTreasuryError: { _enum: [ "InsufficientProposersBalance", @@ -5369,13 +5471,13 @@ export default { "Inconclusive", ], }, - /** Lookup592: pallet_crowdloan_rewards::pallet::RewardInfo */ + /** Lookup600: pallet_crowdloan_rewards::pallet::RewardInfo */ PalletCrowdloanRewardsRewardInfo: { totalReward: "u128", claimedReward: "u128", contributedRelayAddresses: "Vec<[u8;32]>", }, - /** Lookup594: pallet_crowdloan_rewards::pallet::Error */ + /** Lookup602: pallet_crowdloan_rewards::pallet::Error */ PalletCrowdloanRewardsError: { _enum: [ "AlreadyAssociated", @@ -5395,7 +5497,7 @@ export default { "InsufficientNumberOfValidProofs", ], }, - /** Lookup599: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ + /** Lookup607: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ CumulusPalletXcmpQueueOutboundChannelDetails: { recipient: "u32", state: "CumulusPalletXcmpQueueOutboundState", @@ -5403,21 +5505,21 @@ export default { firstIndex: "u16", lastIndex: "u16", }, - /** Lookup600: cumulus_pallet_xcmp_queue::OutboundState */ + /** Lookup608: cumulus_pallet_xcmp_queue::OutboundState */ CumulusPalletXcmpQueueOutboundState: { _enum: ["Ok", "Suspended"], }, - /** Lookup602: cumulus_pallet_xcmp_queue::QueueConfigData */ + /** Lookup610: cumulus_pallet_xcmp_queue::QueueConfigData */ CumulusPalletXcmpQueueQueueConfigData: { suspendThreshold: "u32", dropThreshold: "u32", resumeThreshold: "u32", }, - /** Lookup603: cumulus_pallet_xcmp_queue::pallet::Error */ + /** Lookup611: cumulus_pallet_xcmp_queue::pallet::Error */ CumulusPalletXcmpQueueError: { _enum: ["BadQueueConfig", "AlreadySuspended", "AlreadyResumed"], }, - /** Lookup604: cumulus_pallet_dmp_queue::pallet::MigrationState */ + /** Lookup612: cumulus_pallet_dmp_queue::pallet::MigrationState */ CumulusPalletDmpQueueMigrationState: { _enum: { NotStarted: "Null", @@ -5435,7 +5537,7 @@ export default { Completed: "Null", }, }, - /** Lookup607: pallet_xcm::pallet::QueryStatus */ + /** Lookup615: pallet_xcm::pallet::QueryStatus */ PalletXcmQueryStatus: { _enum: { Pending: { @@ -5454,7 +5556,7 @@ export default { }, }, }, - /** Lookup611: xcm::VersionedResponse */ + /** Lookup619: xcm::VersionedResponse */ XcmVersionedResponse: { _enum: { __Unused0: "Null", @@ -5464,7 +5566,7 @@ export default { V4: "StagingXcmV4Response", }, }, - /** Lookup617: pallet_xcm::pallet::VersionMigrationStage */ + /** Lookup625: pallet_xcm::pallet::VersionMigrationStage */ PalletXcmVersionMigrationStage: { _enum: { MigrateSupportedVersion: "Null", @@ -5473,14 +5575,14 @@ export default { MigrateAndNotifyOldTargets: "Null", }, }, - /** Lookup620: pallet_xcm::pallet::RemoteLockedFungibleRecord */ + /** Lookup628: pallet_xcm::pallet::RemoteLockedFungibleRecord */ PalletXcmRemoteLockedFungibleRecord: { amount: "u128", owner: "XcmVersionedLocation", locker: "XcmVersionedLocation", consumers: "Vec<(Null,u128)>", }, - /** Lookup627: pallet_xcm::pallet::Error */ + /** Lookup635: pallet_xcm::pallet::Error */ PalletXcmError: { _enum: [ "Unreachable", @@ -5510,7 +5612,7 @@ export default { "LocalExecutionIncomplete", ], }, - /** Lookup628: pallet_assets::types::AssetDetails */ + /** Lookup636: pallet_assets::types::AssetDetails */ PalletAssetsAssetDetails: { owner: "AccountId20", issuer: "AccountId20", @@ -5525,22 +5627,22 @@ export default { approvals: "u32", status: "PalletAssetsAssetStatus", }, - /** Lookup629: pallet_assets::types::AssetStatus */ + /** Lookup637: pallet_assets::types::AssetStatus */ PalletAssetsAssetStatus: { _enum: ["Live", "Frozen", "Destroying"], }, - /** Lookup631: pallet_assets::types::AssetAccount */ + /** Lookup639: pallet_assets::types::AssetAccount */ PalletAssetsAssetAccount: { balance: "u128", status: "PalletAssetsAccountStatus", reason: "PalletAssetsExistenceReason", extra: "Null", }, - /** Lookup632: pallet_assets::types::AccountStatus */ + /** Lookup640: pallet_assets::types::AccountStatus */ PalletAssetsAccountStatus: { _enum: ["Liquid", "Frozen", "Blocked"], }, - /** Lookup633: pallet_assets::types::ExistenceReason */ + /** Lookup641: pallet_assets::types::ExistenceReason */ PalletAssetsExistenceReason: { _enum: { Consumer: "Null", @@ -5550,13 +5652,13 @@ export default { DepositFrom: "(AccountId20,u128)", }, }, - /** Lookup635: pallet_assets::types::Approval */ + /** Lookup643: pallet_assets::types::Approval */ PalletAssetsApproval: { amount: "u128", deposit: "u128", }, /** - * Lookup636: pallet_assets::types::AssetMetadata> */ PalletAssetsAssetMetadata: { @@ -5566,7 +5668,7 @@ export default { decimals: "u8", isFrozen: "bool", }, - /** Lookup638: pallet_assets::pallet::Error */ + /** Lookup646: pallet_assets::pallet::Error */ PalletAssetsError: { _enum: [ "BalanceLow", @@ -5591,7 +5693,7 @@ export default { "CallbackFailed", ], }, - /** Lookup640: pallet_asset_manager::pallet::Error */ + /** Lookup647: pallet_asset_manager::pallet::Error */ PalletAssetManagerError: { _enum: [ "ErrorCreatingAsset", @@ -5604,7 +5706,7 @@ export default { "NonExistentLocalAsset", ], }, - /** Lookup641: orml_xtokens::module::Error */ + /** Lookup648: orml_xtokens::module::Error */ OrmlXtokensModuleError: { _enum: [ "AssetHasNoReserve", @@ -5629,7 +5731,7 @@ export default { "RateLimited", ], }, - /** Lookup642: pallet_xcm_transactor::relay_indices::RelayChainIndices */ + /** Lookup649: pallet_xcm_transactor::relay_indices::RelayChainIndices */ PalletXcmTransactorRelayIndicesRelayChainIndices: { staking: "u8", utility: "u8", @@ -5650,7 +5752,7 @@ export default { closeChannel: "u8", cancelOpenRequest: "u8", }, - /** Lookup643: pallet_xcm_transactor::pallet::Error */ + /** Lookup650: pallet_xcm_transactor::pallet::Error */ PalletXcmTransactorError: { _enum: [ "IndexAlreadyClaimed", @@ -5682,11 +5784,11 @@ export default { "RefundNotSupportedWithTransactInfo", ], }, - /** Lookup644: pallet_ethereum_xcm::pallet::Error */ + /** Lookup651: pallet_ethereum_xcm::pallet::Error */ PalletEthereumXcmError: { _enum: ["EthereumXcmExecutionSuspended"], }, - /** Lookup645: pallet_message_queue::BookState */ + /** Lookup652: pallet_message_queue::BookState */ PalletMessageQueueBookState: { _alias: { size_: "size", @@ -5698,12 +5800,12 @@ export default { messageCount: "u64", size_: "u64", }, - /** Lookup647: pallet_message_queue::Neighbours */ + /** Lookup654: pallet_message_queue::Neighbours */ PalletMessageQueueNeighbours: { prev: "CumulusPrimitivesCoreAggregateMessageOrigin", next: "CumulusPrimitivesCoreAggregateMessageOrigin", }, - /** Lookup649: pallet_message_queue::Page */ + /** Lookup656: pallet_message_queue::Page */ PalletMessageQueuePage: { remaining: "u32", remainingSize: "u32", @@ -5712,7 +5814,7 @@ export default { last: "u32", heap: "Bytes", }, - /** Lookup651: pallet_message_queue::pallet::Error */ + /** Lookup658: pallet_message_queue::pallet::Error */ PalletMessageQueueError: { _enum: [ "NotReapable", @@ -5726,16 +5828,58 @@ export default { "RecursiveDisallowed", ], }, - /** Lookup653: pallet_precompile_benchmarks::pallet::Error */ + /** Lookup660: pallet_moonbeam_foreign_assets::AssetStatus */ + PalletMoonbeamForeignAssetsAssetStatus: { + _enum: ["Active", "FrozenXcmDepositAllowed", "FrozenXcmDepositForbidden"], + }, + /** Lookup661: pallet_moonbeam_foreign_assets::pallet::Error */ + PalletMoonbeamForeignAssetsError: { + _enum: [ + "AssetAlreadyExists", + "AssetAlreadyFrozen", + "AssetDoesNotExist", + "AssetIdFiltered", + "AssetNotFrozen", + "CorruptedStorageOrphanLocation", + "Erc20ContractCreationFail", + "EvmCallPauseFail", + "EvmCallUnpauseFail", + "EvmInternalError", + "InvalidSymbol", + "InvalidTokenName", + "LocationAlreadyExists", + "TooManyForeignAssets", + ], + }, + /** Lookup663: pallet_xcm_weight_trader::pallet::Error */ + PalletXcmWeightTraderError: { + _enum: [ + "AssetAlreadyAdded", + "AssetAlreadyPaused", + "AssetNotFound", + "AssetNotPaused", + "XcmLocationFiltered", + "PriceCannotBeZero", + ], + }, + /** Lookup664: pallet_emergency_para_xcm::XcmMode */ + PalletEmergencyParaXcmXcmMode: { + _enum: ["Normal", "Paused"], + }, + /** Lookup665: pallet_emergency_para_xcm::pallet::Error */ + PalletEmergencyParaXcmError: { + _enum: ["NotInPausedMode"], + }, + /** Lookup667: pallet_precompile_benchmarks::pallet::Error */ PalletPrecompileBenchmarksError: { _enum: ["BenchmarkError"], }, - /** Lookup654: pallet_randomness::types::RequestState */ + /** Lookup668: pallet_randomness::types::RequestState */ PalletRandomnessRequestState: { request: "PalletRandomnessRequest", deposit: "u128", }, - /** Lookup655: pallet_randomness::types::Request> */ + /** Lookup669: pallet_randomness::types::Request> */ PalletRandomnessRequest: { refundAddress: "H160", contractAddress: "H160", @@ -5745,26 +5889,26 @@ export default { salt: "H256", info: "PalletRandomnessRequestInfo", }, - /** Lookup656: pallet_randomness::types::RequestInfo */ + /** Lookup670: pallet_randomness::types::RequestInfo */ PalletRandomnessRequestInfo: { _enum: { BabeEpoch: "(u64,u64)", Local: "(u32,u32)", }, }, - /** Lookup657: pallet_randomness::types::RequestType */ + /** Lookup671: pallet_randomness::types::RequestType */ PalletRandomnessRequestType: { _enum: { BabeEpoch: "u64", Local: "u32", }, }, - /** Lookup658: pallet_randomness::types::RandomnessResult */ + /** Lookup672: pallet_randomness::types::RandomnessResult */ PalletRandomnessRandomnessResult: { randomness: "Option", requestCount: "u64", }, - /** Lookup659: pallet_randomness::pallet::Error */ + /** Lookup673: pallet_randomness::pallet::Error */ PalletRandomnessError: { _enum: [ "RequestCounterOverflowed", @@ -5781,20 +5925,30 @@ export default { "RandomnessResultNotFilled", ], }, - /** Lookup662: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ + /** Lookup676: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ FrameSystemExtensionsCheckNonZeroSender: "Null", - /** Lookup663: frame_system::extensions::check_spec_version::CheckSpecVersion */ + /** Lookup677: frame_system::extensions::check_spec_version::CheckSpecVersion */ FrameSystemExtensionsCheckSpecVersion: "Null", - /** Lookup664: frame_system::extensions::check_tx_version::CheckTxVersion */ + /** Lookup678: frame_system::extensions::check_tx_version::CheckTxVersion */ FrameSystemExtensionsCheckTxVersion: "Null", - /** Lookup665: frame_system::extensions::check_genesis::CheckGenesis */ + /** Lookup679: frame_system::extensions::check_genesis::CheckGenesis */ FrameSystemExtensionsCheckGenesis: "Null", - /** Lookup668: frame_system::extensions::check_nonce::CheckNonce */ + /** Lookup682: frame_system::extensions::check_nonce::CheckNonce */ FrameSystemExtensionsCheckNonce: "Compact", - /** Lookup669: frame_system::extensions::check_weight::CheckWeight */ + /** Lookup683: frame_system::extensions::check_weight::CheckWeight */ FrameSystemExtensionsCheckWeight: "Null", - /** Lookup670: pallet_transaction_payment::ChargeTransactionPayment */ + /** Lookup684: pallet_transaction_payment::ChargeTransactionPayment */ PalletTransactionPaymentChargeTransactionPayment: "Compact", - /** Lookup672: moonbeam_runtime::Runtime */ + /** Lookup685: frame_metadata_hash_extension::CheckMetadataHash */ + FrameMetadataHashExtensionCheckMetadataHash: { + mode: "FrameMetadataHashExtensionMode", + }, + /** Lookup686: frame_metadata_hash_extension::Mode */ + FrameMetadataHashExtensionMode: { + _enum: ["Disabled", "Enabled"], + }, + /** Lookup687: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ + CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: "Null", + /** Lookup689: moonbeam_runtime::Runtime */ MoonbeamRuntimeRuntime: "Null", }; diff --git a/typescript-api/src/moonbeam/interfaces/registry.ts b/typescript-api/src/moonbeam/interfaces/registry.ts index 76ec874ffe..2c63e429d9 100644 --- a/typescript-api/src/moonbeam/interfaces/registry.ts +++ b/typescript-api/src/moonbeam/interfaces/registry.ts @@ -28,6 +28,7 @@ import type { CumulusPalletXcmpQueueQueueConfigData, CumulusPrimitivesCoreAggregateMessageOrigin, CumulusPrimitivesParachainInherentParachainInherentData, + CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim, EthbloomBloom, EthereumBlock, EthereumHeader, @@ -48,6 +49,8 @@ import type { EvmCoreErrorExitRevert, EvmCoreErrorExitSucceed, FpRpcTransactionStatus, + FrameMetadataHashExtensionCheckMetadataHash, + FrameMetadataHashExtensionMode, FrameSupportDispatchDispatchClass, FrameSupportDispatchDispatchInfo, FrameSupportDispatchPays, @@ -141,6 +144,10 @@ import type { PalletCrowdloanRewardsError, PalletCrowdloanRewardsEvent, PalletCrowdloanRewardsRewardInfo, + PalletEmergencyParaXcmCall, + PalletEmergencyParaXcmError, + PalletEmergencyParaXcmEvent, + PalletEmergencyParaXcmXcmMode, PalletEthereumCall, PalletEthereumError, PalletEthereumEvent, @@ -172,6 +179,10 @@ import type { PalletMessageQueuePage, PalletMigrationsError, PalletMigrationsEvent, + PalletMoonbeamForeignAssetsAssetStatus, + PalletMoonbeamForeignAssetsCall, + PalletMoonbeamForeignAssetsError, + PalletMoonbeamForeignAssetsEvent, PalletMoonbeamLazyMigrationsCall, PalletMoonbeamLazyMigrationsError, PalletMoonbeamOrbitersCall, @@ -203,8 +214,8 @@ import type { PalletParachainStakingDelegatorStatus, PalletParachainStakingError, PalletParachainStakingEvent, + PalletParachainStakingInflationDistributionAccount, PalletParachainStakingInflationInflationInfo, - PalletParachainStakingParachainBondConfig, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, PalletParachainStakingSetOrderedSet, @@ -277,6 +288,9 @@ import type { PalletXcmTransactorRemoteTransactInfoWithMaxWeight, PalletXcmTransactorTransactWeights, PalletXcmVersionMigrationStage, + PalletXcmWeightTraderCall, + PalletXcmWeightTraderError, + PalletXcmWeightTraderEvent, PolkadotCorePrimitivesInboundDownwardMessage, PolkadotCorePrimitivesInboundHrmpMessage, PolkadotCorePrimitivesOutboundHrmpMessage, @@ -402,6 +416,7 @@ declare module "@polkadot/types/types/registry" { CumulusPalletXcmpQueueQueueConfigData: CumulusPalletXcmpQueueQueueConfigData; CumulusPrimitivesCoreAggregateMessageOrigin: CumulusPrimitivesCoreAggregateMessageOrigin; CumulusPrimitivesParachainInherentParachainInherentData: CumulusPrimitivesParachainInherentParachainInherentData; + CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim; EthbloomBloom: EthbloomBloom; EthereumBlock: EthereumBlock; EthereumHeader: EthereumHeader; @@ -422,6 +437,8 @@ declare module "@polkadot/types/types/registry" { EvmCoreErrorExitRevert: EvmCoreErrorExitRevert; EvmCoreErrorExitSucceed: EvmCoreErrorExitSucceed; FpRpcTransactionStatus: FpRpcTransactionStatus; + FrameMetadataHashExtensionCheckMetadataHash: FrameMetadataHashExtensionCheckMetadataHash; + FrameMetadataHashExtensionMode: FrameMetadataHashExtensionMode; FrameSupportDispatchDispatchClass: FrameSupportDispatchDispatchClass; FrameSupportDispatchDispatchInfo: FrameSupportDispatchDispatchInfo; FrameSupportDispatchPays: FrameSupportDispatchPays; @@ -515,6 +532,10 @@ declare module "@polkadot/types/types/registry" { PalletCrowdloanRewardsError: PalletCrowdloanRewardsError; PalletCrowdloanRewardsEvent: PalletCrowdloanRewardsEvent; PalletCrowdloanRewardsRewardInfo: PalletCrowdloanRewardsRewardInfo; + PalletEmergencyParaXcmCall: PalletEmergencyParaXcmCall; + PalletEmergencyParaXcmError: PalletEmergencyParaXcmError; + PalletEmergencyParaXcmEvent: PalletEmergencyParaXcmEvent; + PalletEmergencyParaXcmXcmMode: PalletEmergencyParaXcmXcmMode; PalletEthereumCall: PalletEthereumCall; PalletEthereumError: PalletEthereumError; PalletEthereumEvent: PalletEthereumEvent; @@ -546,6 +567,10 @@ declare module "@polkadot/types/types/registry" { PalletMessageQueuePage: PalletMessageQueuePage; PalletMigrationsError: PalletMigrationsError; PalletMigrationsEvent: PalletMigrationsEvent; + PalletMoonbeamForeignAssetsAssetStatus: PalletMoonbeamForeignAssetsAssetStatus; + PalletMoonbeamForeignAssetsCall: PalletMoonbeamForeignAssetsCall; + PalletMoonbeamForeignAssetsError: PalletMoonbeamForeignAssetsError; + PalletMoonbeamForeignAssetsEvent: PalletMoonbeamForeignAssetsEvent; PalletMoonbeamLazyMigrationsCall: PalletMoonbeamLazyMigrationsCall; PalletMoonbeamLazyMigrationsError: PalletMoonbeamLazyMigrationsError; PalletMoonbeamOrbitersCall: PalletMoonbeamOrbitersCall; @@ -577,8 +602,8 @@ declare module "@polkadot/types/types/registry" { PalletParachainStakingDelegatorStatus: PalletParachainStakingDelegatorStatus; PalletParachainStakingError: PalletParachainStakingError; PalletParachainStakingEvent: PalletParachainStakingEvent; + PalletParachainStakingInflationDistributionAccount: PalletParachainStakingInflationDistributionAccount; PalletParachainStakingInflationInflationInfo: PalletParachainStakingInflationInflationInfo; - PalletParachainStakingParachainBondConfig: PalletParachainStakingParachainBondConfig; PalletParachainStakingRoundInfo: PalletParachainStakingRoundInfo; PalletParachainStakingSetBoundedOrderedSet: PalletParachainStakingSetBoundedOrderedSet; PalletParachainStakingSetOrderedSet: PalletParachainStakingSetOrderedSet; @@ -651,6 +676,9 @@ declare module "@polkadot/types/types/registry" { PalletXcmTransactorRemoteTransactInfoWithMaxWeight: PalletXcmTransactorRemoteTransactInfoWithMaxWeight; PalletXcmTransactorTransactWeights: PalletXcmTransactorTransactWeights; PalletXcmVersionMigrationStage: PalletXcmVersionMigrationStage; + PalletXcmWeightTraderCall: PalletXcmWeightTraderCall; + PalletXcmWeightTraderError: PalletXcmWeightTraderError; + PalletXcmWeightTraderEvent: PalletXcmWeightTraderEvent; PolkadotCorePrimitivesInboundDownwardMessage: PolkadotCorePrimitivesInboundDownwardMessage; PolkadotCorePrimitivesInboundHrmpMessage: PolkadotCorePrimitivesInboundHrmpMessage; PolkadotCorePrimitivesOutboundHrmpMessage: PolkadotCorePrimitivesOutboundHrmpMessage; diff --git a/typescript-api/src/moonbeam/interfaces/types-lookup.ts b/typescript-api/src/moonbeam/interfaces/types-lookup.ts index 168f7d3dff..7134ee7855 100644 --- a/typescript-api/src/moonbeam/interfaces/types-lookup.ts +++ b/typescript-api/src/moonbeam/interfaces/types-lookup.ts @@ -583,20 +583,16 @@ declare module "@polkadot/types/lookup" { readonly account: AccountId20; readonly rewards: u128; } & Struct; - readonly isReservedForParachainBond: boolean; - readonly asReservedForParachainBond: { + readonly isInflationDistributed: boolean; + readonly asInflationDistributed: { + readonly index: u32; readonly account: AccountId20; readonly value: u128; } & Struct; - readonly isParachainBondAccountSet: boolean; - readonly asParachainBondAccountSet: { - readonly old: AccountId20; - readonly new_: AccountId20; - } & Struct; - readonly isParachainBondReservePercentSet: boolean; - readonly asParachainBondReservePercentSet: { - readonly old: Percent; - readonly new_: Percent; + readonly isInflationDistributionConfigUpdated: boolean; + readonly asInflationDistributionConfigUpdated: { + readonly old: Vec; + readonly new_: Vec; } & Struct; readonly isInflationSet: boolean; readonly asInflationSet: { @@ -671,9 +667,8 @@ declare module "@polkadot/types/lookup" { | "Delegation" | "DelegatorLeftCandidate" | "Rewarded" - | "ReservedForParachainBond" - | "ParachainBondAccountSet" - | "ParachainBondReservePercentSet" + | "InflationDistributed" + | "InflationDistributionConfigUpdated" | "InflationSet" | "StakeExpectationsSet" | "TotalSelectedSet" @@ -708,14 +703,20 @@ declare module "@polkadot/types/lookup" { readonly type: "AddedToTop" | "AddedToBottom"; } - /** @name PalletAuthorSlotFilterEvent (44) */ + /** @name PalletParachainStakingInflationDistributionAccount (44) */ + interface PalletParachainStakingInflationDistributionAccount extends Struct { + readonly account: AccountId20; + readonly percent: Percent; + } + + /** @name PalletAuthorSlotFilterEvent (46) */ interface PalletAuthorSlotFilterEvent extends Enum { readonly isEligibleUpdated: boolean; readonly asEligibleUpdated: u32; readonly type: "EligibleUpdated"; } - /** @name PalletAuthorMappingEvent (46) */ + /** @name PalletAuthorMappingEvent (48) */ interface PalletAuthorMappingEvent extends Enum { readonly isKeysRegistered: boolean; readonly asKeysRegistered: { @@ -738,13 +739,13 @@ declare module "@polkadot/types/lookup" { readonly type: "KeysRegistered" | "KeysRemoved" | "KeysRotated"; } - /** @name NimbusPrimitivesNimbusCryptoPublic (47) */ + /** @name NimbusPrimitivesNimbusCryptoPublic (49) */ interface NimbusPrimitivesNimbusCryptoPublic extends U8aFixed {} - /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (48) */ + /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (50) */ interface SessionKeysPrimitivesVrfVrfCryptoPublic extends U8aFixed {} - /** @name PalletMoonbeamOrbitersEvent (49) */ + /** @name PalletMoonbeamOrbitersEvent (51) */ interface PalletMoonbeamOrbitersEvent extends Enum { readonly isOrbiterJoinCollatorPool: boolean; readonly asOrbiterJoinCollatorPool: { @@ -785,7 +786,7 @@ declare module "@polkadot/types/lookup" { | "OrbiterUnregistered"; } - /** @name PalletUtilityEvent (51) */ + /** @name PalletUtilityEvent (53) */ interface PalletUtilityEvent extends Enum { readonly isBatchInterrupted: boolean; readonly asBatchInterrupted: { @@ -812,7 +813,7 @@ declare module "@polkadot/types/lookup" { | "DispatchedAs"; } - /** @name PalletProxyEvent (54) */ + /** @name PalletProxyEvent (56) */ interface PalletProxyEvent extends Enum { readonly isProxyExecuted: boolean; readonly asProxyExecuted: { @@ -848,7 +849,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProxyExecuted" | "PureCreated" | "Announced" | "ProxyAdded" | "ProxyRemoved"; } - /** @name MoonbeamRuntimeProxyType (55) */ + /** @name MoonbeamRuntimeProxyType (57) */ interface MoonbeamRuntimeProxyType extends Enum { readonly isAny: boolean; readonly isNonTransfer: boolean; @@ -869,7 +870,7 @@ declare module "@polkadot/types/lookup" { | "IdentityJudgement"; } - /** @name PalletMaintenanceModeEvent (57) */ + /** @name PalletMaintenanceModeEvent (59) */ interface PalletMaintenanceModeEvent extends Enum { readonly isEnteredMaintenanceMode: boolean; readonly isNormalOperationResumed: boolean; @@ -888,7 +889,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletIdentityEvent (58) */ + /** @name PalletIdentityEvent (60) */ interface PalletIdentityEvent extends Enum { readonly isIdentitySet: boolean; readonly asIdentitySet: { @@ -994,7 +995,7 @@ declare module "@polkadot/types/lookup" { | "DanglingUsernameRemoved"; } - /** @name PalletMigrationsEvent (60) */ + /** @name PalletMigrationsEvent (62) */ interface PalletMigrationsEvent extends Enum { readonly isRuntimeUpgradeStarted: boolean; readonly isRuntimeUpgradeCompleted: boolean; @@ -1027,7 +1028,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletMultisigEvent (61) */ + /** @name PalletMultisigEvent (63) */ interface PalletMultisigEvent extends Enum { readonly isNewMultisig: boolean; readonly asNewMultisig: { @@ -1060,13 +1061,13 @@ declare module "@polkadot/types/lookup" { readonly type: "NewMultisig" | "MultisigApproval" | "MultisigExecuted" | "MultisigCancelled"; } - /** @name PalletMultisigTimepoint (62) */ + /** @name PalletMultisigTimepoint (64) */ interface PalletMultisigTimepoint extends Struct { readonly height: u32; readonly index: u32; } - /** @name PalletEvmEvent (63) */ + /** @name PalletEvmEvent (65) */ interface PalletEvmEvent extends Enum { readonly isLog: boolean; readonly asLog: { @@ -1091,14 +1092,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Log" | "Created" | "CreatedFailed" | "Executed" | "ExecutedFailed"; } - /** @name EthereumLog (64) */ + /** @name EthereumLog (66) */ interface EthereumLog extends Struct { readonly address: H160; readonly topics: Vec; readonly data: Bytes; } - /** @name PalletEthereumEvent (67) */ + /** @name PalletEthereumEvent (69) */ interface PalletEthereumEvent extends Enum { readonly isExecuted: boolean; readonly asExecuted: { @@ -1111,7 +1112,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Executed"; } - /** @name EvmCoreErrorExitReason (68) */ + /** @name EvmCoreErrorExitReason (70) */ interface EvmCoreErrorExitReason extends Enum { readonly isSucceed: boolean; readonly asSucceed: EvmCoreErrorExitSucceed; @@ -1124,7 +1125,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Succeed" | "Error" | "Revert" | "Fatal"; } - /** @name EvmCoreErrorExitSucceed (69) */ + /** @name EvmCoreErrorExitSucceed (71) */ interface EvmCoreErrorExitSucceed extends Enum { readonly isStopped: boolean; readonly isReturned: boolean; @@ -1132,7 +1133,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Stopped" | "Returned" | "Suicided"; } - /** @name EvmCoreErrorExitError (70) */ + /** @name EvmCoreErrorExitError (72) */ interface EvmCoreErrorExitError extends Enum { readonly isStackUnderflow: boolean; readonly isStackOverflow: boolean; @@ -1171,13 +1172,13 @@ declare module "@polkadot/types/lookup" { | "InvalidCode"; } - /** @name EvmCoreErrorExitRevert (74) */ + /** @name EvmCoreErrorExitRevert (76) */ interface EvmCoreErrorExitRevert extends Enum { readonly isReverted: boolean; readonly type: "Reverted"; } - /** @name EvmCoreErrorExitFatal (75) */ + /** @name EvmCoreErrorExitFatal (77) */ interface EvmCoreErrorExitFatal extends Enum { readonly isNotSupported: boolean; readonly isUnhandledInterrupt: boolean; @@ -1188,7 +1189,7 @@ declare module "@polkadot/types/lookup" { readonly type: "NotSupported" | "UnhandledInterrupt" | "CallErrorAsFatal" | "Other"; } - /** @name PalletSchedulerEvent (76) */ + /** @name PalletSchedulerEvent (78) */ interface PalletSchedulerEvent extends Enum { readonly isScheduled: boolean; readonly asScheduled: { @@ -1250,7 +1251,7 @@ declare module "@polkadot/types/lookup" { | "PermanentlyOverweight"; } - /** @name PalletPreimageEvent (78) */ + /** @name PalletPreimageEvent (80) */ interface PalletPreimageEvent extends Enum { readonly isNoted: boolean; readonly asNoted: { @@ -1267,7 +1268,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Noted" | "Requested" | "Cleared"; } - /** @name PalletConvictionVotingEvent (79) */ + /** @name PalletConvictionVotingEvent (81) */ interface PalletConvictionVotingEvent extends Enum { readonly isDelegated: boolean; readonly asDelegated: ITuple<[AccountId20, AccountId20]>; @@ -1276,7 +1277,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Delegated" | "Undelegated"; } - /** @name PalletReferendaEvent (80) */ + /** @name PalletReferendaEvent (82) */ interface PalletReferendaEvent extends Enum { readonly isSubmitted: boolean; readonly asSubmitted: { @@ -1380,7 +1381,7 @@ declare module "@polkadot/types/lookup" { | "MetadataCleared"; } - /** @name FrameSupportPreimagesBounded (81) */ + /** @name FrameSupportPreimagesBounded (83) */ interface FrameSupportPreimagesBounded extends Enum { readonly isLegacy: boolean; readonly asLegacy: { @@ -1396,7 +1397,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Inline" | "Lookup"; } - /** @name FrameSystemCall (83) */ + /** @name FrameSystemCall (85) */ interface FrameSystemCall extends Enum { readonly isRemark: boolean; readonly asRemark: { @@ -1457,7 +1458,7 @@ declare module "@polkadot/types/lookup" { | "ApplyAuthorizedUpgrade"; } - /** @name CumulusPalletParachainSystemCall (87) */ + /** @name CumulusPalletParachainSystemCall (89) */ interface CumulusPalletParachainSystemCall extends Enum { readonly isSetValidationData: boolean; readonly asSetValidationData: { @@ -1483,7 +1484,7 @@ declare module "@polkadot/types/lookup" { | "EnactAuthorizedUpgrade"; } - /** @name CumulusPrimitivesParachainInherentParachainInherentData (88) */ + /** @name CumulusPrimitivesParachainInherentParachainInherentData (90) */ interface CumulusPrimitivesParachainInherentParachainInherentData extends Struct { readonly validationData: PolkadotPrimitivesV7PersistedValidationData; readonly relayChainState: SpTrieStorageProof; @@ -1491,7 +1492,7 @@ declare module "@polkadot/types/lookup" { readonly horizontalMessages: BTreeMap>; } - /** @name PolkadotPrimitivesV7PersistedValidationData (89) */ + /** @name PolkadotPrimitivesV7PersistedValidationData (91) */ interface PolkadotPrimitivesV7PersistedValidationData extends Struct { readonly parentHead: Bytes; readonly relayParentNumber: u32; @@ -1499,24 +1500,24 @@ declare module "@polkadot/types/lookup" { readonly maxPovSize: u32; } - /** @name SpTrieStorageProof (91) */ + /** @name SpTrieStorageProof (93) */ interface SpTrieStorageProof extends Struct { readonly trieNodes: BTreeSet; } - /** @name PolkadotCorePrimitivesInboundDownwardMessage (94) */ + /** @name PolkadotCorePrimitivesInboundDownwardMessage (96) */ interface PolkadotCorePrimitivesInboundDownwardMessage extends Struct { readonly sentAt: u32; readonly msg: Bytes; } - /** @name PolkadotCorePrimitivesInboundHrmpMessage (98) */ + /** @name PolkadotCorePrimitivesInboundHrmpMessage (100) */ interface PolkadotCorePrimitivesInboundHrmpMessage extends Struct { readonly sentAt: u32; readonly data: Bytes; } - /** @name PalletTimestampCall (101) */ + /** @name PalletTimestampCall (103) */ interface PalletTimestampCall extends Enum { readonly isSet: boolean; readonly asSet: { @@ -1525,7 +1526,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Set"; } - /** @name PalletRootTestingCall (102) */ + /** @name PalletRootTestingCall (104) */ interface PalletRootTestingCall extends Enum { readonly isFillBlock: boolean; readonly asFillBlock: { @@ -1535,7 +1536,7 @@ declare module "@polkadot/types/lookup" { readonly type: "FillBlock" | "TriggerDefensive"; } - /** @name PalletBalancesCall (103) */ + /** @name PalletBalancesCall (105) */ interface PalletBalancesCall extends Enum { readonly isTransferAllowDeath: boolean; readonly asTransferAllowDeath: { @@ -1588,14 +1589,14 @@ declare module "@polkadot/types/lookup" { | "ForceAdjustTotalIssuance"; } - /** @name PalletBalancesAdjustmentDirection (106) */ + /** @name PalletBalancesAdjustmentDirection (108) */ interface PalletBalancesAdjustmentDirection extends Enum { readonly isIncrease: boolean; readonly isDecrease: boolean; readonly type: "Increase" | "Decrease"; } - /** @name PalletParachainStakingCall (107) */ + /** @name PalletParachainStakingCall (109) */ interface PalletParachainStakingCall extends Enum { readonly isSetStakingExpectations: boolean; readonly asSetStakingExpectations: { @@ -1733,6 +1734,10 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; readonly candidateCount: u32; } & Struct; + readonly isSetInflationDistributionConfig: boolean; + readonly asSetInflationDistributionConfig: { + readonly new_: Vec; + } & Struct; readonly type: | "SetStakingExpectations" | "SetInflation" @@ -1765,16 +1770,17 @@ declare module "@polkadot/types/lookup" { | "HotfixRemoveDelegationRequestsExitedCandidates" | "NotifyInactiveCollator" | "EnableMarkingOffline" - | "ForceJoinCandidates"; + | "ForceJoinCandidates" + | "SetInflationDistributionConfig"; } - /** @name PalletAuthorInherentCall (110) */ + /** @name PalletAuthorInherentCall (112) */ interface PalletAuthorInherentCall extends Enum { readonly isKickOffAuthorshipValidation: boolean; readonly type: "KickOffAuthorshipValidation"; } - /** @name PalletAuthorSlotFilterCall (111) */ + /** @name PalletAuthorSlotFilterCall (113) */ interface PalletAuthorSlotFilterCall extends Enum { readonly isSetEligible: boolean; readonly asSetEligible: { @@ -1783,7 +1789,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetEligible"; } - /** @name PalletAuthorMappingCall (112) */ + /** @name PalletAuthorMappingCall (114) */ interface PalletAuthorMappingCall extends Enum { readonly isAddAssociation: boolean; readonly asAddAssociation: { @@ -1811,7 +1817,7 @@ declare module "@polkadot/types/lookup" { | "SetKeys"; } - /** @name PalletMoonbeamOrbitersCall (113) */ + /** @name PalletMoonbeamOrbitersCall (115) */ interface PalletMoonbeamOrbitersCall extends Enum { readonly isCollatorAddOrbiter: boolean; readonly asCollatorAddOrbiter: { @@ -1848,7 +1854,7 @@ declare module "@polkadot/types/lookup" { | "RemoveCollator"; } - /** @name PalletUtilityCall (114) */ + /** @name PalletUtilityCall (116) */ interface PalletUtilityCall extends Enum { readonly isBatch: boolean; readonly asBatch: { @@ -1886,7 +1892,7 @@ declare module "@polkadot/types/lookup" { | "WithWeight"; } - /** @name MoonbeamRuntimeOriginCaller (116) */ + /** @name MoonbeamRuntimeOriginCaller (118) */ interface MoonbeamRuntimeOriginCaller extends Enum { readonly isSystem: boolean; readonly asSystem: FrameSupportDispatchRawOrigin; @@ -1917,7 +1923,7 @@ declare module "@polkadot/types/lookup" { | "EthereumXcm"; } - /** @name FrameSupportDispatchRawOrigin (117) */ + /** @name FrameSupportDispatchRawOrigin (119) */ interface FrameSupportDispatchRawOrigin extends Enum { readonly isRoot: boolean; readonly isSigned: boolean; @@ -1926,14 +1932,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Root" | "Signed" | "None"; } - /** @name PalletEthereumRawOrigin (118) */ + /** @name PalletEthereumRawOrigin (120) */ interface PalletEthereumRawOrigin extends Enum { readonly isEthereumTransaction: boolean; readonly asEthereumTransaction: H160; readonly type: "EthereumTransaction"; } - /** @name MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin (119) */ + /** @name MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin (121) */ interface MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin extends Enum { readonly isWhitelistedCaller: boolean; readonly isGeneralAdmin: boolean; @@ -1948,7 +1954,7 @@ declare module "@polkadot/types/lookup" { | "FastGeneralAdmin"; } - /** @name PalletCollectiveRawOrigin (120) */ + /** @name PalletCollectiveRawOrigin (122) */ interface PalletCollectiveRawOrigin extends Enum { readonly isMembers: boolean; readonly asMembers: ITuple<[u32, u32]>; @@ -1958,7 +1964,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Members" | "Member" | "Phantom"; } - /** @name CumulusPalletXcmOrigin (122) */ + /** @name CumulusPalletXcmOrigin (124) */ interface CumulusPalletXcmOrigin extends Enum { readonly isRelay: boolean; readonly isSiblingParachain: boolean; @@ -1966,7 +1972,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Relay" | "SiblingParachain"; } - /** @name PalletXcmOrigin (123) */ + /** @name PalletXcmOrigin (125) */ interface PalletXcmOrigin extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV4Location; @@ -1975,13 +1981,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Xcm" | "Response"; } - /** @name StagingXcmV4Location (124) */ + /** @name StagingXcmV4Location (126) */ interface StagingXcmV4Location extends Struct { readonly parents: u8; readonly interior: StagingXcmV4Junctions; } - /** @name StagingXcmV4Junctions (125) */ + /** @name StagingXcmV4Junctions (127) */ interface StagingXcmV4Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2003,7 +2009,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name StagingXcmV4Junction (127) */ + /** @name StagingXcmV4Junction (129) */ interface StagingXcmV4Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2052,7 +2058,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name StagingXcmV4JunctionNetworkId (130) */ + /** @name StagingXcmV4JunctionNetworkId (132) */ interface StagingXcmV4JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -2087,7 +2093,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3JunctionBodyId (131) */ + /** @name XcmV3JunctionBodyId (133) */ interface XcmV3JunctionBodyId extends Enum { readonly isUnit: boolean; readonly isMoniker: boolean; @@ -2114,7 +2120,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV3JunctionBodyPart (132) */ + /** @name XcmV3JunctionBodyPart (134) */ interface XcmV3JunctionBodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -2139,17 +2145,17 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name PalletEthereumXcmRawOrigin (140) */ + /** @name PalletEthereumXcmRawOrigin (142) */ interface PalletEthereumXcmRawOrigin extends Enum { readonly isXcmEthereumTransaction: boolean; readonly asXcmEthereumTransaction: H160; readonly type: "XcmEthereumTransaction"; } - /** @name SpCoreVoid (141) */ + /** @name SpCoreVoid (143) */ type SpCoreVoid = Null; - /** @name PalletProxyCall (142) */ + /** @name PalletProxyCall (144) */ interface PalletProxyCall extends Enum { readonly isProxy: boolean; readonly asProxy: { @@ -2219,14 +2225,14 @@ declare module "@polkadot/types/lookup" { | "ProxyAnnounced"; } - /** @name PalletMaintenanceModeCall (144) */ + /** @name PalletMaintenanceModeCall (146) */ interface PalletMaintenanceModeCall extends Enum { readonly isEnterMaintenanceMode: boolean; readonly isResumeNormalOperation: boolean; readonly type: "EnterMaintenanceMode" | "ResumeNormalOperation"; } - /** @name PalletIdentityCall (145) */ + /** @name PalletIdentityCall (147) */ interface PalletIdentityCall extends Enum { readonly isAddRegistrar: boolean; readonly asAddRegistrar: { @@ -2348,7 +2354,7 @@ declare module "@polkadot/types/lookup" { | "RemoveDanglingUsername"; } - /** @name PalletIdentityLegacyIdentityInfo (146) */ + /** @name PalletIdentityLegacyIdentityInfo (148) */ interface PalletIdentityLegacyIdentityInfo extends Struct { readonly additional: Vec>; readonly display: Data; @@ -2361,7 +2367,7 @@ declare module "@polkadot/types/lookup" { readonly twitter: Data; } - /** @name PalletIdentityJudgement (184) */ + /** @name PalletIdentityJudgement (186) */ interface PalletIdentityJudgement extends Enum { readonly isUnknown: boolean; readonly isFeePaid: boolean; @@ -2381,10 +2387,10 @@ declare module "@polkadot/types/lookup" { | "Erroneous"; } - /** @name AccountEthereumSignature (186) */ + /** @name AccountEthereumSignature (188) */ interface AccountEthereumSignature extends U8aFixed {} - /** @name PalletMultisigCall (188) */ + /** @name PalletMultisigCall (190) */ interface PalletMultisigCall extends Enum { readonly isAsMultiThreshold1: boolean; readonly asAsMultiThreshold1: { @@ -2417,17 +2423,21 @@ declare module "@polkadot/types/lookup" { readonly type: "AsMultiThreshold1" | "AsMulti" | "ApproveAsMulti" | "CancelAsMulti"; } - /** @name PalletMoonbeamLazyMigrationsCall (190) */ + /** @name PalletMoonbeamLazyMigrationsCall (192) */ interface PalletMoonbeamLazyMigrationsCall extends Enum { readonly isClearSuicidedStorage: boolean; readonly asClearSuicidedStorage: { readonly addresses: Vec; readonly limit: u32; } & Struct; - readonly type: "ClearSuicidedStorage"; + readonly isCreateContractMetadata: boolean; + readonly asCreateContractMetadata: { + readonly address: H160; + } & Struct; + readonly type: "ClearSuicidedStorage" | "CreateContractMetadata"; } - /** @name PalletEvmCall (193) */ + /** @name PalletEvmCall (195) */ interface PalletEvmCall extends Enum { readonly isWithdraw: boolean; readonly asWithdraw: { @@ -2472,7 +2482,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Withdraw" | "Call" | "Create" | "Create2"; } - /** @name PalletEthereumCall (199) */ + /** @name PalletEthereumCall (201) */ interface PalletEthereumCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -2481,7 +2491,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Transact"; } - /** @name EthereumTransactionTransactionV2 (200) */ + /** @name EthereumTransactionTransactionV2 (202) */ interface EthereumTransactionTransactionV2 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumTransactionLegacyTransaction; @@ -2492,7 +2502,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumTransactionLegacyTransaction (201) */ + /** @name EthereumTransactionLegacyTransaction (203) */ interface EthereumTransactionLegacyTransaction extends Struct { readonly nonce: U256; readonly gasPrice: U256; @@ -2503,7 +2513,7 @@ declare module "@polkadot/types/lookup" { readonly signature: EthereumTransactionTransactionSignature; } - /** @name EthereumTransactionTransactionAction (202) */ + /** @name EthereumTransactionTransactionAction (204) */ interface EthereumTransactionTransactionAction extends Enum { readonly isCall: boolean; readonly asCall: H160; @@ -2511,14 +2521,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Call" | "Create"; } - /** @name EthereumTransactionTransactionSignature (203) */ + /** @name EthereumTransactionTransactionSignature (205) */ interface EthereumTransactionTransactionSignature extends Struct { readonly v: u64; readonly r: H256; readonly s: H256; } - /** @name EthereumTransactionEip2930Transaction (205) */ + /** @name EthereumTransactionEip2930Transaction (207) */ interface EthereumTransactionEip2930Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2533,13 +2543,13 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name EthereumTransactionAccessListItem (207) */ + /** @name EthereumTransactionAccessListItem (209) */ interface EthereumTransactionAccessListItem extends Struct { readonly address: H160; readonly storageKeys: Vec; } - /** @name EthereumTransactionEip1559Transaction (208) */ + /** @name EthereumTransactionEip1559Transaction (210) */ interface EthereumTransactionEip1559Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2555,7 +2565,7 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name PalletSchedulerCall (209) */ + /** @name PalletSchedulerCall (211) */ interface PalletSchedulerCall extends Enum { readonly isSchedule: boolean; readonly asSchedule: { @@ -2629,7 +2639,7 @@ declare module "@polkadot/types/lookup" { | "CancelRetryNamed"; } - /** @name PalletPreimageCall (211) */ + /** @name PalletPreimageCall (213) */ interface PalletPreimageCall extends Enum { readonly isNotePreimage: boolean; readonly asNotePreimage: { @@ -2659,7 +2669,7 @@ declare module "@polkadot/types/lookup" { | "EnsureUpdated"; } - /** @name PalletConvictionVotingCall (212) */ + /** @name PalletConvictionVotingCall (214) */ interface PalletConvictionVotingCall extends Enum { readonly isVote: boolean; readonly asVote: { @@ -2696,7 +2706,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Vote" | "Delegate" | "Undelegate" | "Unlock" | "RemoveVote" | "RemoveOtherVote"; } - /** @name PalletConvictionVotingVoteAccountVote (213) */ + /** @name PalletConvictionVotingVoteAccountVote (215) */ interface PalletConvictionVotingVoteAccountVote extends Enum { readonly isStandard: boolean; readonly asStandard: { @@ -2717,7 +2727,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Standard" | "Split" | "SplitAbstain"; } - /** @name PalletConvictionVotingConviction (215) */ + /** @name PalletConvictionVotingConviction (217) */ interface PalletConvictionVotingConviction extends Enum { readonly isNone: boolean; readonly isLocked1x: boolean; @@ -2736,7 +2746,7 @@ declare module "@polkadot/types/lookup" { | "Locked6x"; } - /** @name PalletReferendaCall (217) */ + /** @name PalletReferendaCall (219) */ interface PalletReferendaCall extends Enum { readonly isSubmit: boolean; readonly asSubmit: { @@ -2789,7 +2799,7 @@ declare module "@polkadot/types/lookup" { | "SetMetadata"; } - /** @name FrameSupportScheduleDispatchTime (218) */ + /** @name FrameSupportScheduleDispatchTime (220) */ interface FrameSupportScheduleDispatchTime extends Enum { readonly isAt: boolean; readonly asAt: u32; @@ -2798,7 +2808,7 @@ declare module "@polkadot/types/lookup" { readonly type: "At" | "After"; } - /** @name PalletWhitelistCall (220) */ + /** @name PalletWhitelistCall (222) */ interface PalletWhitelistCall extends Enum { readonly isWhitelistCall: boolean; readonly asWhitelistCall: { @@ -2825,7 +2835,7 @@ declare module "@polkadot/types/lookup" { | "DispatchWhitelistedCallWithPreimage"; } - /** @name PalletCollectiveCall (221) */ + /** @name PalletCollectiveCall (223) */ interface PalletCollectiveCall extends Enum { readonly isSetMembers: boolean; readonly asSetMembers: { @@ -2864,7 +2874,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetMembers" | "Execute" | "Propose" | "Vote" | "DisapproveProposal" | "Close"; } - /** @name PalletTreasuryCall (223) */ + /** @name PalletTreasuryCall (225) */ interface PalletTreasuryCall extends Enum { readonly isProposeSpend: boolean; readonly asProposeSpend: { @@ -2919,7 +2929,7 @@ declare module "@polkadot/types/lookup" { | "VoidSpend"; } - /** @name PalletCrowdloanRewardsCall (225) */ + /** @name PalletCrowdloanRewardsCall (227) */ interface PalletCrowdloanRewardsCall extends Enum { readonly isAssociateNativeIdentity: boolean; readonly asAssociateNativeIdentity: { @@ -2955,7 +2965,7 @@ declare module "@polkadot/types/lookup" { | "InitializeRewardVec"; } - /** @name SpRuntimeMultiSignature (226) */ + /** @name SpRuntimeMultiSignature (228) */ interface SpRuntimeMultiSignature extends Enum { readonly isEd25519: boolean; readonly asEd25519: U8aFixed; @@ -2966,10 +2976,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Ed25519" | "Sr25519" | "Ecdsa"; } - /** @name CumulusPalletDmpQueueCall (232) */ + /** @name CumulusPalletDmpQueueCall (234) */ type CumulusPalletDmpQueueCall = Null; - /** @name PalletXcmCall (233) */ + /** @name PalletXcmCall (235) */ interface PalletXcmCall extends Enum { readonly isSend: boolean; readonly asSend: { @@ -3072,7 +3082,7 @@ declare module "@polkadot/types/lookup" { | "TransferAssetsUsingTypeAndThen"; } - /** @name XcmVersionedLocation (234) */ + /** @name XcmVersionedLocation (236) */ interface XcmVersionedLocation extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiLocation; @@ -3083,13 +3093,13 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2MultiLocation (235) */ + /** @name XcmV2MultiLocation (237) */ interface XcmV2MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV2MultilocationJunctions; } - /** @name XcmV2MultilocationJunctions (236) */ + /** @name XcmV2MultilocationJunctions (238) */ interface XcmV2MultilocationJunctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3136,7 +3146,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV2Junction (237) */ + /** @name XcmV2Junction (239) */ interface XcmV2Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3179,7 +3189,7 @@ declare module "@polkadot/types/lookup" { | "Plurality"; } - /** @name XcmV2NetworkId (238) */ + /** @name XcmV2NetworkId (240) */ interface XcmV2NetworkId extends Enum { readonly isAny: boolean; readonly isNamed: boolean; @@ -3189,7 +3199,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Any" | "Named" | "Polkadot" | "Kusama"; } - /** @name XcmV2BodyId (240) */ + /** @name XcmV2BodyId (242) */ interface XcmV2BodyId extends Enum { readonly isUnit: boolean; readonly isNamed: boolean; @@ -3216,7 +3226,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV2BodyPart (241) */ + /** @name XcmV2BodyPart (243) */ interface XcmV2BodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -3241,13 +3251,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name StagingXcmV3MultiLocation (242) */ + /** @name StagingXcmV3MultiLocation (244) */ interface StagingXcmV3MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV3Junctions; } - /** @name XcmV3Junctions (243) */ + /** @name XcmV3Junctions (245) */ interface XcmV3Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3294,7 +3304,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV3Junction (244) */ + /** @name XcmV3Junction (246) */ interface XcmV3Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3343,7 +3353,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name XcmV3JunctionNetworkId (246) */ + /** @name XcmV3JunctionNetworkId (248) */ interface XcmV3JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -3378,7 +3388,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmVersionedXcm (247) */ + /** @name XcmVersionedXcm (249) */ interface XcmVersionedXcm extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Xcm; @@ -3389,10 +3399,10 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2Xcm (248) */ + /** @name XcmV2Xcm (250) */ interface XcmV2Xcm extends Vec {} - /** @name XcmV2Instruction (250) */ + /** @name XcmV2Instruction (252) */ interface XcmV2Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV2MultiassetMultiAssets; @@ -3540,16 +3550,16 @@ declare module "@polkadot/types/lookup" { | "UnsubscribeVersion"; } - /** @name XcmV2MultiassetMultiAssets (251) */ + /** @name XcmV2MultiassetMultiAssets (253) */ interface XcmV2MultiassetMultiAssets extends Vec {} - /** @name XcmV2MultiAsset (253) */ + /** @name XcmV2MultiAsset (255) */ interface XcmV2MultiAsset extends Struct { readonly id: XcmV2MultiassetAssetId; readonly fun: XcmV2MultiassetFungibility; } - /** @name XcmV2MultiassetAssetId (254) */ + /** @name XcmV2MultiassetAssetId (256) */ interface XcmV2MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: XcmV2MultiLocation; @@ -3558,7 +3568,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV2MultiassetFungibility (255) */ + /** @name XcmV2MultiassetFungibility (257) */ interface XcmV2MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3567,7 +3577,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2MultiassetAssetInstance (256) */ + /** @name XcmV2MultiassetAssetInstance (258) */ interface XcmV2MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3585,7 +3595,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32" | "Blob"; } - /** @name XcmV2Response (257) */ + /** @name XcmV2Response (259) */ interface XcmV2Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -3597,7 +3607,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Null" | "Assets" | "ExecutionResult" | "Version"; } - /** @name XcmV2TraitsError (260) */ + /** @name XcmV2TraitsError (262) */ interface XcmV2TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -3656,7 +3666,7 @@ declare module "@polkadot/types/lookup" { | "WeightNotComputable"; } - /** @name XcmV2OriginKind (261) */ + /** @name XcmV2OriginKind (263) */ interface XcmV2OriginKind extends Enum { readonly isNative: boolean; readonly isSovereignAccount: boolean; @@ -3665,12 +3675,12 @@ declare module "@polkadot/types/lookup" { readonly type: "Native" | "SovereignAccount" | "Superuser" | "Xcm"; } - /** @name XcmDoubleEncoded (262) */ + /** @name XcmDoubleEncoded (264) */ interface XcmDoubleEncoded extends Struct { readonly encoded: Bytes; } - /** @name XcmV2MultiassetMultiAssetFilter (263) */ + /** @name XcmV2MultiassetMultiAssetFilter (265) */ interface XcmV2MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV2MultiassetMultiAssets; @@ -3679,7 +3689,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV2MultiassetWildMultiAsset (264) */ + /** @name XcmV2MultiassetWildMultiAsset (266) */ interface XcmV2MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -3690,14 +3700,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf"; } - /** @name XcmV2MultiassetWildFungibility (265) */ + /** @name XcmV2MultiassetWildFungibility (267) */ interface XcmV2MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2WeightLimit (266) */ + /** @name XcmV2WeightLimit (268) */ interface XcmV2WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -3705,10 +3715,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmV3Xcm (267) */ + /** @name XcmV3Xcm (269) */ interface XcmV3Xcm extends Vec {} - /** @name XcmV3Instruction (269) */ + /** @name XcmV3Instruction (271) */ interface XcmV3Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV3MultiassetMultiAssets; @@ -3938,16 +3948,16 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name XcmV3MultiassetMultiAssets (270) */ + /** @name XcmV3MultiassetMultiAssets (272) */ interface XcmV3MultiassetMultiAssets extends Vec {} - /** @name XcmV3MultiAsset (272) */ + /** @name XcmV3MultiAsset (274) */ interface XcmV3MultiAsset extends Struct { readonly id: XcmV3MultiassetAssetId; readonly fun: XcmV3MultiassetFungibility; } - /** @name XcmV3MultiassetAssetId (273) */ + /** @name XcmV3MultiassetAssetId (275) */ interface XcmV3MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: StagingXcmV3MultiLocation; @@ -3956,7 +3966,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV3MultiassetFungibility (274) */ + /** @name XcmV3MultiassetFungibility (276) */ interface XcmV3MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3965,7 +3975,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3MultiassetAssetInstance (275) */ + /** @name XcmV3MultiassetAssetInstance (277) */ interface XcmV3MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3981,7 +3991,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name XcmV3Response (276) */ + /** @name XcmV3Response (278) */ interface XcmV3Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4003,7 +4013,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name XcmV3TraitsError (279) */ + /** @name XcmV3TraitsError (281) */ interface XcmV3TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -4090,7 +4100,7 @@ declare module "@polkadot/types/lookup" { | "ExceedsStackLimit"; } - /** @name XcmV3PalletInfo (281) */ + /** @name XcmV3PalletInfo (283) */ interface XcmV3PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4100,7 +4110,7 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3MaybeErrorCode (284) */ + /** @name XcmV3MaybeErrorCode (286) */ interface XcmV3MaybeErrorCode extends Enum { readonly isSuccess: boolean; readonly isError: boolean; @@ -4110,14 +4120,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Success" | "Error" | "TruncatedError"; } - /** @name XcmV3QueryResponseInfo (287) */ + /** @name XcmV3QueryResponseInfo (289) */ interface XcmV3QueryResponseInfo extends Struct { readonly destination: StagingXcmV3MultiLocation; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name XcmV3MultiassetMultiAssetFilter (288) */ + /** @name XcmV3MultiassetMultiAssetFilter (290) */ interface XcmV3MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV3MultiassetMultiAssets; @@ -4126,7 +4136,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV3MultiassetWildMultiAsset (289) */ + /** @name XcmV3MultiassetWildMultiAsset (291) */ interface XcmV3MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4145,14 +4155,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name XcmV3MultiassetWildFungibility (290) */ + /** @name XcmV3MultiassetWildFungibility (292) */ interface XcmV3MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3WeightLimit (291) */ + /** @name XcmV3WeightLimit (293) */ interface XcmV3WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -4160,10 +4170,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name StagingXcmV4Xcm (292) */ + /** @name StagingXcmV4Xcm (294) */ interface StagingXcmV4Xcm extends Vec {} - /** @name StagingXcmV4Instruction (294) */ + /** @name StagingXcmV4Instruction (296) */ interface StagingXcmV4Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: StagingXcmV4AssetAssets; @@ -4393,19 +4403,19 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name StagingXcmV4AssetAssets (295) */ + /** @name StagingXcmV4AssetAssets (297) */ interface StagingXcmV4AssetAssets extends Vec {} - /** @name StagingXcmV4Asset (297) */ + /** @name StagingXcmV4Asset (299) */ interface StagingXcmV4Asset extends Struct { readonly id: StagingXcmV4AssetAssetId; readonly fun: StagingXcmV4AssetFungibility; } - /** @name StagingXcmV4AssetAssetId (298) */ + /** @name StagingXcmV4AssetAssetId (300) */ interface StagingXcmV4AssetAssetId extends StagingXcmV4Location {} - /** @name StagingXcmV4AssetFungibility (299) */ + /** @name StagingXcmV4AssetFungibility (301) */ interface StagingXcmV4AssetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -4414,7 +4424,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmV4AssetAssetInstance (300) */ + /** @name StagingXcmV4AssetAssetInstance (302) */ interface StagingXcmV4AssetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -4430,7 +4440,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name StagingXcmV4Response (301) */ + /** @name StagingXcmV4Response (303) */ interface StagingXcmV4Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4452,7 +4462,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name StagingXcmV4PalletInfo (303) */ + /** @name StagingXcmV4PalletInfo (305) */ interface StagingXcmV4PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4462,14 +4472,14 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name StagingXcmV4QueryResponseInfo (307) */ + /** @name StagingXcmV4QueryResponseInfo (309) */ interface StagingXcmV4QueryResponseInfo extends Struct { readonly destination: StagingXcmV4Location; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name StagingXcmV4AssetAssetFilter (308) */ + /** @name StagingXcmV4AssetAssetFilter (310) */ interface StagingXcmV4AssetAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: StagingXcmV4AssetAssets; @@ -4478,7 +4488,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name StagingXcmV4AssetWildAsset (309) */ + /** @name StagingXcmV4AssetWildAsset (311) */ interface StagingXcmV4AssetWildAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4497,14 +4507,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name StagingXcmV4AssetWildFungibility (310) */ + /** @name StagingXcmV4AssetWildFungibility (312) */ interface StagingXcmV4AssetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmVersionedAssets (311) */ + /** @name XcmVersionedAssets (313) */ interface XcmVersionedAssets extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiassetMultiAssets; @@ -4515,7 +4525,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name StagingXcmExecutorAssetTransferTransferType (323) */ + /** @name StagingXcmExecutorAssetTransferTransferType (325) */ interface StagingXcmExecutorAssetTransferTransferType extends Enum { readonly isTeleport: boolean; readonly isLocalReserve: boolean; @@ -4525,7 +4535,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Teleport" | "LocalReserve" | "DestinationReserve" | "RemoteReserve"; } - /** @name XcmVersionedAssetId (324) */ + /** @name XcmVersionedAssetId (326) */ interface XcmVersionedAssetId extends Enum { readonly isV3: boolean; readonly asV3: XcmV3MultiassetAssetId; @@ -4534,7 +4544,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V3" | "V4"; } - /** @name PalletAssetsCall (325) */ + /** @name PalletAssetsCall (327) */ interface PalletAssetsCall extends Enum { readonly isCreate: boolean; readonly asCreate: { @@ -4748,7 +4758,7 @@ declare module "@polkadot/types/lookup" { | "Block"; } - /** @name PalletAssetManagerCall (326) */ + /** @name PalletAssetManagerCall (328) */ interface PalletAssetManagerCall extends Enum { readonly isRegisterForeignAsset: boolean; readonly asRegisterForeignAsset: { @@ -4757,23 +4767,12 @@ declare module "@polkadot/types/lookup" { readonly minAmount: u128; readonly isSufficient: bool; } & Struct; - readonly isSetAssetUnitsPerSecond: boolean; - readonly asSetAssetUnitsPerSecond: { - readonly assetType: MoonbeamRuntimeXcmConfigAssetType; - readonly unitsPerSecond: u128; - readonly numAssetsWeightHint: u32; - } & Struct; readonly isChangeExistingAssetType: boolean; readonly asChangeExistingAssetType: { readonly assetId: u128; readonly newAssetType: MoonbeamRuntimeXcmConfigAssetType; readonly numAssetsWeightHint: u32; } & Struct; - readonly isRemoveSupportedAsset: boolean; - readonly asRemoveSupportedAsset: { - readonly assetType: MoonbeamRuntimeXcmConfigAssetType; - readonly numAssetsWeightHint: u32; - } & Struct; readonly isRemoveExistingAssetType: boolean; readonly asRemoveExistingAssetType: { readonly assetId: u128; @@ -4786,21 +4785,19 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly type: | "RegisterForeignAsset" - | "SetAssetUnitsPerSecond" | "ChangeExistingAssetType" - | "RemoveSupportedAsset" | "RemoveExistingAssetType" | "DestroyForeignAsset"; } - /** @name MoonbeamRuntimeXcmConfigAssetType (327) */ + /** @name MoonbeamRuntimeXcmConfigAssetType (329) */ interface MoonbeamRuntimeXcmConfigAssetType extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV3MultiLocation; readonly type: "Xcm"; } - /** @name MoonbeamRuntimeAssetConfigAssetRegistrarMetadata (328) */ + /** @name MoonbeamRuntimeAssetConfigAssetRegistrarMetadata (330) */ interface MoonbeamRuntimeAssetConfigAssetRegistrarMetadata extends Struct { readonly name: Bytes; readonly symbol: Bytes; @@ -4808,7 +4805,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name OrmlXtokensModuleCall (329) */ + /** @name OrmlXtokensModuleCall (331) */ interface OrmlXtokensModuleCall extends Enum { readonly isTransfer: boolean; readonly asTransfer: { @@ -4861,7 +4858,7 @@ declare module "@polkadot/types/lookup" { | "TransferMultiassets"; } - /** @name MoonbeamRuntimeXcmConfigCurrencyId (330) */ + /** @name MoonbeamRuntimeXcmConfigCurrencyId (332) */ interface MoonbeamRuntimeXcmConfigCurrencyId extends Enum { readonly isSelfReserve: boolean; readonly isForeignAsset: boolean; @@ -4873,7 +4870,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SelfReserve" | "ForeignAsset" | "Erc20"; } - /** @name XcmVersionedAsset (331) */ + /** @name XcmVersionedAsset (333) */ interface XcmVersionedAsset extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiAsset; @@ -4884,7 +4881,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmTransactorCall (334) */ + /** @name PalletXcmTransactorCall (336) */ interface PalletXcmTransactorCall extends Enum { readonly isRegister: boolean; readonly asRegister: { @@ -4961,19 +4958,19 @@ declare module "@polkadot/types/lookup" { | "HrmpManage"; } - /** @name MoonbeamRuntimeXcmConfigTransactors (335) */ + /** @name MoonbeamRuntimeXcmConfigTransactors (337) */ interface MoonbeamRuntimeXcmConfigTransactors extends Enum { readonly isRelay: boolean; readonly type: "Relay"; } - /** @name PalletXcmTransactorCurrencyPayment (336) */ + /** @name PalletXcmTransactorCurrencyPayment (338) */ interface PalletXcmTransactorCurrencyPayment extends Struct { readonly currency: PalletXcmTransactorCurrency; readonly feeAmount: Option; } - /** @name PalletXcmTransactorCurrency (337) */ + /** @name PalletXcmTransactorCurrency (339) */ interface PalletXcmTransactorCurrency extends Enum { readonly isAsCurrencyId: boolean; readonly asAsCurrencyId: MoonbeamRuntimeXcmConfigCurrencyId; @@ -4982,13 +4979,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsCurrencyId" | "AsMultiLocation"; } - /** @name PalletXcmTransactorTransactWeights (339) */ + /** @name PalletXcmTransactorTransactWeights (341) */ interface PalletXcmTransactorTransactWeights extends Struct { readonly transactRequiredWeightAtMost: SpWeightsWeightV2Weight; readonly overallWeight: Option; } - /** @name PalletXcmTransactorHrmpOperation (342) */ + /** @name PalletXcmTransactorHrmpOperation (344) */ interface PalletXcmTransactorHrmpOperation extends Enum { readonly isInitOpen: boolean; readonly asInitOpen: PalletXcmTransactorHrmpInitParams; @@ -5006,20 +5003,20 @@ declare module "@polkadot/types/lookup" { readonly type: "InitOpen" | "Accept" | "Close" | "Cancel"; } - /** @name PalletXcmTransactorHrmpInitParams (343) */ + /** @name PalletXcmTransactorHrmpInitParams (345) */ interface PalletXcmTransactorHrmpInitParams extends Struct { readonly paraId: u32; readonly proposedMaxCapacity: u32; readonly proposedMaxMessageSize: u32; } - /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (344) */ + /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (346) */ interface PolkadotParachainPrimitivesPrimitivesHrmpChannelId extends Struct { readonly sender: u32; readonly recipient: u32; } - /** @name PalletEthereumXcmCall (345) */ + /** @name PalletEthereumXcmCall (347) */ interface PalletEthereumXcmCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -5046,7 +5043,7 @@ declare module "@polkadot/types/lookup" { | "ForceTransactAs"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (346) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (348) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransaction extends Enum { readonly isV1: boolean; readonly asV1: XcmPrimitivesEthereumXcmEthereumXcmTransactionV1; @@ -5055,7 +5052,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V1" | "V2"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (347) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (349) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 extends Struct { readonly gasLimit: U256; readonly feePayment: XcmPrimitivesEthereumXcmEthereumXcmFee; @@ -5065,7 +5062,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (348) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (350) */ interface XcmPrimitivesEthereumXcmEthereumXcmFee extends Enum { readonly isManual: boolean; readonly asManual: XcmPrimitivesEthereumXcmManualEthereumXcmFee; @@ -5073,13 +5070,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Manual" | "Auto"; } - /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (349) */ + /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (351) */ interface XcmPrimitivesEthereumXcmManualEthereumXcmFee extends Struct { readonly gasPrice: Option; readonly maxFeePerGas: Option; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (352) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (354) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 extends Struct { readonly gasLimit: U256; readonly action: EthereumTransactionTransactionAction; @@ -5088,7 +5085,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name PalletMessageQueueCall (354) */ + /** @name PalletMessageQueueCall (356) */ interface PalletMessageQueueCall extends Enum { readonly isReapPage: boolean; readonly asReapPage: { @@ -5105,7 +5102,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ReapPage" | "ExecuteOverweight"; } - /** @name CumulusPrimitivesCoreAggregateMessageOrigin (355) */ + /** @name CumulusPrimitivesCoreAggregateMessageOrigin (357) */ interface CumulusPrimitivesCoreAggregateMessageOrigin extends Enum { readonly isHere: boolean; readonly isParent: boolean; @@ -5114,23 +5111,96 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "Parent" | "Sibling"; } - /** @name PalletRandomnessCall (356) */ + /** @name PalletMoonbeamForeignAssetsCall (358) */ + interface PalletMoonbeamForeignAssetsCall extends Enum { + readonly isCreateForeignAsset: boolean; + readonly asCreateForeignAsset: { + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + readonly decimals: u8; + readonly symbol: Bytes; + readonly name: Bytes; + } & Struct; + readonly isChangeXcmLocation: boolean; + readonly asChangeXcmLocation: { + readonly assetId: u128; + readonly newXcmLocation: StagingXcmV4Location; + } & Struct; + readonly isFreezeForeignAsset: boolean; + readonly asFreezeForeignAsset: { + readonly assetId: u128; + readonly allowXcmDeposit: bool; + } & Struct; + readonly isUnfreezeForeignAsset: boolean; + readonly asUnfreezeForeignAsset: { + readonly assetId: u128; + } & Struct; + readonly type: + | "CreateForeignAsset" + | "ChangeXcmLocation" + | "FreezeForeignAsset" + | "UnfreezeForeignAsset"; + } + + /** @name PalletXcmWeightTraderCall (360) */ + interface PalletXcmWeightTraderCall extends Enum { + readonly isAddAsset: boolean; + readonly asAddAsset: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isEditAsset: boolean; + readonly asEditAsset: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isPauseAssetSupport: boolean; + readonly asPauseAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isResumeAssetSupport: boolean; + readonly asResumeAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isRemoveAsset: boolean; + readonly asRemoveAsset: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly type: + | "AddAsset" + | "EditAsset" + | "PauseAssetSupport" + | "ResumeAssetSupport" + | "RemoveAsset"; + } + + /** @name PalletEmergencyParaXcmCall (361) */ + interface PalletEmergencyParaXcmCall extends Enum { + readonly isPausedToNormal: boolean; + readonly isFastAuthorizeUpgrade: boolean; + readonly asFastAuthorizeUpgrade: { + readonly codeHash: H256; + } & Struct; + readonly type: "PausedToNormal" | "FastAuthorizeUpgrade"; + } + + /** @name PalletRandomnessCall (362) */ interface PalletRandomnessCall extends Enum { readonly isSetBabeRandomnessResults: boolean; readonly type: "SetBabeRandomnessResults"; } - /** @name SpRuntimeBlakeTwo256 (357) */ + /** @name SpRuntimeBlakeTwo256 (363) */ type SpRuntimeBlakeTwo256 = Null; - /** @name PalletConvictionVotingTally (359) */ + /** @name PalletConvictionVotingTally (365) */ interface PalletConvictionVotingTally extends Struct { readonly ayes: u128; readonly nays: u128; readonly support: u128; } - /** @name PalletWhitelistEvent (360) */ + /** @name PalletWhitelistEvent (366) */ interface PalletWhitelistEvent extends Enum { readonly isCallWhitelisted: boolean; readonly asCallWhitelisted: { @@ -5151,19 +5221,19 @@ declare module "@polkadot/types/lookup" { readonly type: "CallWhitelisted" | "WhitelistedCallRemoved" | "WhitelistedCallDispatched"; } - /** @name FrameSupportDispatchPostDispatchInfo (362) */ + /** @name FrameSupportDispatchPostDispatchInfo (368) */ interface FrameSupportDispatchPostDispatchInfo extends Struct { readonly actualWeight: Option; readonly paysFee: FrameSupportDispatchPays; } - /** @name SpRuntimeDispatchErrorWithPostInfo (363) */ + /** @name SpRuntimeDispatchErrorWithPostInfo (369) */ interface SpRuntimeDispatchErrorWithPostInfo extends Struct { readonly postInfo: FrameSupportDispatchPostDispatchInfo; readonly error: SpRuntimeDispatchError; } - /** @name PalletCollectiveEvent (364) */ + /** @name PalletCollectiveEvent (370) */ interface PalletCollectiveEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5214,7 +5284,7 @@ declare module "@polkadot/types/lookup" { | "Closed"; } - /** @name PalletTreasuryEvent (366) */ + /** @name PalletTreasuryEvent (372) */ interface PalletTreasuryEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5302,7 +5372,7 @@ declare module "@polkadot/types/lookup" { | "SpendProcessed"; } - /** @name PalletCrowdloanRewardsEvent (367) */ + /** @name PalletCrowdloanRewardsEvent (373) */ interface PalletCrowdloanRewardsEvent extends Enum { readonly isInitialPaymentMade: boolean; readonly asInitialPaymentMade: ITuple<[AccountId20, u128]>; @@ -5327,7 +5397,7 @@ declare module "@polkadot/types/lookup" { | "InitializedAccountWithNotEnoughContribution"; } - /** @name CumulusPalletXcmpQueueEvent (368) */ + /** @name CumulusPalletXcmpQueueEvent (374) */ interface CumulusPalletXcmpQueueEvent extends Enum { readonly isXcmpMessageSent: boolean; readonly asXcmpMessageSent: { @@ -5336,7 +5406,7 @@ declare module "@polkadot/types/lookup" { readonly type: "XcmpMessageSent"; } - /** @name CumulusPalletXcmEvent (369) */ + /** @name CumulusPalletXcmEvent (375) */ interface CumulusPalletXcmEvent extends Enum { readonly isInvalidFormat: boolean; readonly asInvalidFormat: U8aFixed; @@ -5347,7 +5417,7 @@ declare module "@polkadot/types/lookup" { readonly type: "InvalidFormat" | "UnsupportedVersion" | "ExecutedDownward"; } - /** @name StagingXcmV4TraitsOutcome (370) */ + /** @name StagingXcmV4TraitsOutcome (376) */ interface StagingXcmV4TraitsOutcome extends Enum { readonly isComplete: boolean; readonly asComplete: { @@ -5365,7 +5435,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Complete" | "Incomplete" | "Error"; } - /** @name CumulusPalletDmpQueueEvent (371) */ + /** @name CumulusPalletDmpQueueEvent (377) */ interface CumulusPalletDmpQueueEvent extends Enum { readonly isStartedExport: boolean; readonly isExported: boolean; @@ -5410,7 +5480,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmEvent (372) */ + /** @name PalletXcmEvent (378) */ interface PalletXcmEvent extends Enum { readonly isAttempted: boolean; readonly asAttempted: { @@ -5575,7 +5645,7 @@ declare module "@polkadot/types/lookup" { | "VersionMigrationFinished"; } - /** @name PalletAssetsEvent (373) */ + /** @name PalletAssetsEvent (379) */ interface PalletAssetsEvent extends Enum { readonly isCreated: boolean; readonly asCreated: { @@ -5737,7 +5807,7 @@ declare module "@polkadot/types/lookup" { | "Blocked"; } - /** @name PalletAssetManagerEvent (374) */ + /** @name PalletAssetManagerEvent (380) */ interface PalletAssetManagerEvent extends Enum { readonly isForeignAssetRegistered: boolean; readonly asForeignAssetRegistered: { @@ -5746,10 +5816,6 @@ declare module "@polkadot/types/lookup" { readonly metadata: MoonbeamRuntimeAssetConfigAssetRegistrarMetadata; } & Struct; readonly isUnitsPerSecondChanged: boolean; - readonly asUnitsPerSecondChanged: { - readonly assetType: MoonbeamRuntimeXcmConfigAssetType; - readonly unitsPerSecond: u128; - } & Struct; readonly isForeignAssetXcmLocationChanged: boolean; readonly asForeignAssetXcmLocationChanged: { readonly assetId: u128; @@ -5783,7 +5849,7 @@ declare module "@polkadot/types/lookup" { | "LocalAssetDestroyed"; } - /** @name OrmlXtokensModuleEvent (375) */ + /** @name OrmlXtokensModuleEvent (381) */ interface OrmlXtokensModuleEvent extends Enum { readonly isTransferredAssets: boolean; readonly asTransferredAssets: { @@ -5795,7 +5861,7 @@ declare module "@polkadot/types/lookup" { readonly type: "TransferredAssets"; } - /** @name PalletXcmTransactorEvent (376) */ + /** @name PalletXcmTransactorEvent (382) */ interface PalletXcmTransactorEvent extends Enum { readonly isTransactedDerivative: boolean; readonly asTransactedDerivative: { @@ -5865,14 +5931,14 @@ declare module "@polkadot/types/lookup" { | "HrmpManagementSent"; } - /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (377) */ + /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (383) */ interface PalletXcmTransactorRemoteTransactInfoWithMaxWeight extends Struct { readonly transactExtraWeight: SpWeightsWeightV2Weight; readonly maxWeight: SpWeightsWeightV2Weight; readonly transactExtraWeightSigned: Option; } - /** @name PalletEthereumXcmEvent (378) */ + /** @name PalletEthereumXcmEvent (384) */ interface PalletEthereumXcmEvent extends Enum { readonly isExecutedFromXcm: boolean; readonly asExecutedFromXcm: { @@ -5882,7 +5948,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ExecutedFromXcm"; } - /** @name PalletMessageQueueEvent (379) */ + /** @name PalletMessageQueueEvent (385) */ interface PalletMessageQueueEvent extends Enum { readonly isProcessingFailed: boolean; readonly asProcessingFailed: { @@ -5912,7 +5978,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProcessingFailed" | "Processed" | "OverweightEnqueued" | "PageReaped"; } - /** @name FrameSupportMessagesProcessMessageError (380) */ + /** @name FrameSupportMessagesProcessMessageError (386) */ interface FrameSupportMessagesProcessMessageError extends Enum { readonly isBadFormat: boolean; readonly isCorrupt: boolean; @@ -5923,7 +5989,76 @@ declare module "@polkadot/types/lookup" { readonly type: "BadFormat" | "Corrupt" | "Unsupported" | "Overweight" | "Yield"; } - /** @name PalletRandomnessEvent (381) */ + /** @name PalletMoonbeamForeignAssetsEvent (387) */ + interface PalletMoonbeamForeignAssetsEvent extends Enum { + readonly isForeignAssetCreated: boolean; + readonly asForeignAssetCreated: { + readonly contractAddress: H160; + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + } & Struct; + readonly isForeignAssetXcmLocationChanged: boolean; + readonly asForeignAssetXcmLocationChanged: { + readonly assetId: u128; + readonly newXcmLocation: StagingXcmV4Location; + } & Struct; + readonly isForeignAssetFrozen: boolean; + readonly asForeignAssetFrozen: { + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + } & Struct; + readonly isForeignAssetUnfrozen: boolean; + readonly asForeignAssetUnfrozen: { + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + } & Struct; + readonly type: + | "ForeignAssetCreated" + | "ForeignAssetXcmLocationChanged" + | "ForeignAssetFrozen" + | "ForeignAssetUnfrozen"; + } + + /** @name PalletXcmWeightTraderEvent (388) */ + interface PalletXcmWeightTraderEvent extends Enum { + readonly isSupportedAssetAdded: boolean; + readonly asSupportedAssetAdded: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isSupportedAssetEdited: boolean; + readonly asSupportedAssetEdited: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isPauseAssetSupport: boolean; + readonly asPauseAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isResumeAssetSupport: boolean; + readonly asResumeAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isSupportedAssetRemoved: boolean; + readonly asSupportedAssetRemoved: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly type: + | "SupportedAssetAdded" + | "SupportedAssetEdited" + | "PauseAssetSupport" + | "ResumeAssetSupport" + | "SupportedAssetRemoved"; + } + + /** @name PalletEmergencyParaXcmEvent (389) */ + interface PalletEmergencyParaXcmEvent extends Enum { + readonly isEnteredPausedXcmMode: boolean; + readonly isNormalXcmOperationResumed: boolean; + readonly type: "EnteredPausedXcmMode" | "NormalXcmOperationResumed"; + } + + /** @name PalletRandomnessEvent (390) */ interface PalletRandomnessEvent extends Enum { readonly isRandomnessRequestedBabeEpoch: boolean; readonly asRandomnessRequestedBabeEpoch: { @@ -5968,7 +6103,7 @@ declare module "@polkadot/types/lookup" { | "RequestExpirationExecuted"; } - /** @name FrameSystemPhase (382) */ + /** @name FrameSystemPhase (391) */ interface FrameSystemPhase extends Enum { readonly isApplyExtrinsic: boolean; readonly asApplyExtrinsic: u32; @@ -5977,33 +6112,33 @@ declare module "@polkadot/types/lookup" { readonly type: "ApplyExtrinsic" | "Finalization" | "Initialization"; } - /** @name FrameSystemLastRuntimeUpgradeInfo (384) */ + /** @name FrameSystemLastRuntimeUpgradeInfo (393) */ interface FrameSystemLastRuntimeUpgradeInfo extends Struct { readonly specVersion: Compact; readonly specName: Text; } - /** @name FrameSystemCodeUpgradeAuthorization (385) */ + /** @name FrameSystemCodeUpgradeAuthorization (394) */ interface FrameSystemCodeUpgradeAuthorization extends Struct { readonly codeHash: H256; readonly checkVersion: bool; } - /** @name FrameSystemLimitsBlockWeights (386) */ + /** @name FrameSystemLimitsBlockWeights (395) */ interface FrameSystemLimitsBlockWeights extends Struct { readonly baseBlock: SpWeightsWeightV2Weight; readonly maxBlock: SpWeightsWeightV2Weight; readonly perClass: FrameSupportDispatchPerDispatchClassWeightsPerClass; } - /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (387) */ + /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (396) */ interface FrameSupportDispatchPerDispatchClassWeightsPerClass extends Struct { readonly normal: FrameSystemLimitsWeightsPerClass; readonly operational: FrameSystemLimitsWeightsPerClass; readonly mandatory: FrameSystemLimitsWeightsPerClass; } - /** @name FrameSystemLimitsWeightsPerClass (388) */ + /** @name FrameSystemLimitsWeightsPerClass (397) */ interface FrameSystemLimitsWeightsPerClass extends Struct { readonly baseExtrinsic: SpWeightsWeightV2Weight; readonly maxExtrinsic: Option; @@ -6011,25 +6146,25 @@ declare module "@polkadot/types/lookup" { readonly reserved: Option; } - /** @name FrameSystemLimitsBlockLength (389) */ + /** @name FrameSystemLimitsBlockLength (398) */ interface FrameSystemLimitsBlockLength extends Struct { readonly max: FrameSupportDispatchPerDispatchClassU32; } - /** @name FrameSupportDispatchPerDispatchClassU32 (390) */ + /** @name FrameSupportDispatchPerDispatchClassU32 (399) */ interface FrameSupportDispatchPerDispatchClassU32 extends Struct { readonly normal: u32; readonly operational: u32; readonly mandatory: u32; } - /** @name SpWeightsRuntimeDbWeight (391) */ + /** @name SpWeightsRuntimeDbWeight (400) */ interface SpWeightsRuntimeDbWeight extends Struct { readonly read: u64; readonly write: u64; } - /** @name SpVersionRuntimeVersion (392) */ + /** @name SpVersionRuntimeVersion (401) */ interface SpVersionRuntimeVersion extends Struct { readonly specName: Text; readonly implName: Text; @@ -6041,7 +6176,7 @@ declare module "@polkadot/types/lookup" { readonly stateVersion: u8; } - /** @name FrameSystemError (396) */ + /** @name FrameSystemError (405) */ interface FrameSystemError extends Enum { readonly isInvalidSpecName: boolean; readonly isSpecVersionNeedsToIncrease: boolean; @@ -6064,14 +6199,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (398) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (407) */ interface CumulusPalletParachainSystemUnincludedSegmentAncestor extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly paraHeadHash: Option; readonly consumedGoAheadSignal: Option; } - /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (399) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (408) */ interface CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth extends Struct { readonly umpMsgCount: u32; readonly umpTotalBytes: u32; @@ -6081,33 +6216,33 @@ declare module "@polkadot/types/lookup" { >; } - /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (401) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (410) */ interface CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate extends Struct { readonly msgCount: u32; readonly totalBytes: u32; } - /** @name PolkadotPrimitivesV7UpgradeGoAhead (405) */ + /** @name PolkadotPrimitivesV7UpgradeGoAhead (414) */ interface PolkadotPrimitivesV7UpgradeGoAhead extends Enum { readonly isAbort: boolean; readonly isGoAhead: boolean; readonly type: "Abort" | "GoAhead"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (406) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (415) */ interface CumulusPalletParachainSystemUnincludedSegmentSegmentTracker extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly hrmpWatermark: Option; readonly consumedGoAheadSignal: Option; } - /** @name PolkadotPrimitivesV7UpgradeRestriction (408) */ + /** @name PolkadotPrimitivesV7UpgradeRestriction (417) */ interface PolkadotPrimitivesV7UpgradeRestriction extends Enum { readonly isPresent: boolean; readonly type: "Present"; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (409) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (418) */ interface CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot extends Struct { readonly dmqMqcHead: H256; readonly relayDispatchQueueRemainingCapacity: CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity; @@ -6115,14 +6250,14 @@ declare module "@polkadot/types/lookup" { readonly egressChannels: Vec>; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (410) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (419) */ interface CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity extends Struct { readonly remainingCount: u32; readonly remainingSize: u32; } - /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (413) */ + /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (422) */ interface PolkadotPrimitivesV7AbridgedHrmpChannel extends Struct { readonly maxCapacity: u32; readonly maxTotalSize: u32; @@ -6132,7 +6267,7 @@ declare module "@polkadot/types/lookup" { readonly mqcHead: Option; } - /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (414) */ + /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (423) */ interface PolkadotPrimitivesV7AbridgedHostConfiguration extends Struct { readonly maxCodeSize: u32; readonly maxHeadDataSize: u32; @@ -6146,19 +6281,19 @@ declare module "@polkadot/types/lookup" { readonly asyncBackingParams: PolkadotPrimitivesV7AsyncBackingAsyncBackingParams; } - /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (415) */ + /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (424) */ interface PolkadotPrimitivesV7AsyncBackingAsyncBackingParams extends Struct { readonly maxCandidateDepth: u32; readonly allowedAncestryLen: u32; } - /** @name PolkadotCorePrimitivesOutboundHrmpMessage (421) */ + /** @name PolkadotCorePrimitivesOutboundHrmpMessage (430) */ interface PolkadotCorePrimitivesOutboundHrmpMessage extends Struct { readonly recipient: u32; readonly data: Bytes; } - /** @name CumulusPalletParachainSystemError (423) */ + /** @name CumulusPalletParachainSystemError (432) */ interface CumulusPalletParachainSystemError extends Enum { readonly isOverlappingUpgrades: boolean; readonly isProhibitedByPolkadot: boolean; @@ -6179,14 +6314,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletBalancesBalanceLock (425) */ + /** @name PalletBalancesBalanceLock (434) */ interface PalletBalancesBalanceLock extends Struct { readonly id: U8aFixed; readonly amount: u128; readonly reasons: PalletBalancesReasons; } - /** @name PalletBalancesReasons (426) */ + /** @name PalletBalancesReasons (435) */ interface PalletBalancesReasons extends Enum { readonly isFee: boolean; readonly isMisc: boolean; @@ -6194,32 +6329,32 @@ declare module "@polkadot/types/lookup" { readonly type: "Fee" | "Misc" | "All"; } - /** @name PalletBalancesReserveData (429) */ + /** @name PalletBalancesReserveData (438) */ interface PalletBalancesReserveData extends Struct { readonly id: U8aFixed; readonly amount: u128; } - /** @name MoonbeamRuntimeRuntimeHoldReason (433) */ + /** @name MoonbeamRuntimeRuntimeHoldReason (442) */ interface MoonbeamRuntimeRuntimeHoldReason extends Enum { readonly isPreimage: boolean; readonly asPreimage: PalletPreimageHoldReason; readonly type: "Preimage"; } - /** @name PalletPreimageHoldReason (434) */ + /** @name PalletPreimageHoldReason (443) */ interface PalletPreimageHoldReason extends Enum { readonly isPreimage: boolean; readonly type: "Preimage"; } - /** @name PalletBalancesIdAmount (437) */ + /** @name PalletBalancesIdAmount (446) */ interface PalletBalancesIdAmount extends Struct { readonly id: Null; readonly amount: u128; } - /** @name PalletBalancesError (439) */ + /** @name PalletBalancesError (448) */ interface PalletBalancesError extends Enum { readonly isVestingBalance: boolean; readonly isLiquidityRestrictions: boolean; @@ -6248,20 +6383,14 @@ declare module "@polkadot/types/lookup" { | "DeltaZero"; } - /** @name PalletTransactionPaymentReleases (440) */ + /** @name PalletTransactionPaymentReleases (449) */ interface PalletTransactionPaymentReleases extends Enum { readonly isV1Ancient: boolean; readonly isV2: boolean; readonly type: "V1Ancient" | "V2"; } - /** @name PalletParachainStakingParachainBondConfig (441) */ - interface PalletParachainStakingParachainBondConfig extends Struct { - readonly account: AccountId20; - readonly percent: Percent; - } - - /** @name PalletParachainStakingRoundInfo (442) */ + /** @name PalletParachainStakingRoundInfo (450) */ interface PalletParachainStakingRoundInfo extends Struct { readonly current: u32; readonly first: u32; @@ -6269,7 +6398,7 @@ declare module "@polkadot/types/lookup" { readonly firstSlot: u64; } - /** @name PalletParachainStakingDelegator (443) */ + /** @name PalletParachainStakingDelegator (451) */ interface PalletParachainStakingDelegator extends Struct { readonly id: AccountId20; readonly delegations: PalletParachainStakingSetOrderedSet; @@ -6278,16 +6407,16 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingDelegatorStatus; } - /** @name PalletParachainStakingSetOrderedSet (444) */ + /** @name PalletParachainStakingSetOrderedSet (452) */ interface PalletParachainStakingSetOrderedSet extends Vec {} - /** @name PalletParachainStakingBond (445) */ + /** @name PalletParachainStakingBond (453) */ interface PalletParachainStakingBond extends Struct { readonly owner: AccountId20; readonly amount: u128; } - /** @name PalletParachainStakingDelegatorStatus (447) */ + /** @name PalletParachainStakingDelegatorStatus (455) */ interface PalletParachainStakingDelegatorStatus extends Enum { readonly isActive: boolean; readonly isLeaving: boolean; @@ -6295,7 +6424,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Leaving"; } - /** @name PalletParachainStakingCandidateMetadata (448) */ + /** @name PalletParachainStakingCandidateMetadata (456) */ interface PalletParachainStakingCandidateMetadata extends Struct { readonly bond: u128; readonly delegationCount: u32; @@ -6309,7 +6438,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingCollatorStatus; } - /** @name PalletParachainStakingCapacityStatus (449) */ + /** @name PalletParachainStakingCapacityStatus (457) */ interface PalletParachainStakingCapacityStatus extends Enum { readonly isFull: boolean; readonly isEmpty: boolean; @@ -6317,13 +6446,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Full" | "Empty" | "Partial"; } - /** @name PalletParachainStakingCandidateBondLessRequest (451) */ + /** @name PalletParachainStakingCandidateBondLessRequest (459) */ interface PalletParachainStakingCandidateBondLessRequest extends Struct { readonly amount: u128; readonly whenExecutable: u32; } - /** @name PalletParachainStakingCollatorStatus (452) */ + /** @name PalletParachainStakingCollatorStatus (460) */ interface PalletParachainStakingCollatorStatus extends Enum { readonly isActive: boolean; readonly isIdle: boolean; @@ -6332,50 +6461,50 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Idle" | "Leaving"; } - /** @name PalletParachainStakingDelegationRequestsScheduledRequest (454) */ + /** @name PalletParachainStakingDelegationRequestsScheduledRequest (462) */ interface PalletParachainStakingDelegationRequestsScheduledRequest extends Struct { readonly delegator: AccountId20; readonly whenExecutable: u32; readonly action: PalletParachainStakingDelegationRequestsDelegationAction; } - /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (457) */ + /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (465) */ interface PalletParachainStakingAutoCompoundAutoCompoundConfig extends Struct { readonly delegator: AccountId20; readonly value: Percent; } - /** @name PalletParachainStakingDelegations (459) */ + /** @name PalletParachainStakingDelegations (467) */ interface PalletParachainStakingDelegations extends Struct { readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingSetBoundedOrderedSet (461) */ + /** @name PalletParachainStakingSetBoundedOrderedSet (469) */ interface PalletParachainStakingSetBoundedOrderedSet extends Vec {} - /** @name PalletParachainStakingCollatorSnapshot (464) */ + /** @name PalletParachainStakingCollatorSnapshot (472) */ interface PalletParachainStakingCollatorSnapshot extends Struct { readonly bond: u128; readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingBondWithAutoCompound (466) */ + /** @name PalletParachainStakingBondWithAutoCompound (474) */ interface PalletParachainStakingBondWithAutoCompound extends Struct { readonly owner: AccountId20; readonly amount: u128; readonly autoCompound: Percent; } - /** @name PalletParachainStakingDelayedPayout (467) */ + /** @name PalletParachainStakingDelayedPayout (475) */ interface PalletParachainStakingDelayedPayout extends Struct { readonly roundIssuance: u128; readonly totalStakingReward: u128; readonly collatorCommission: Perbill; } - /** @name PalletParachainStakingInflationInflationInfo (468) */ + /** @name PalletParachainStakingInflationInflationInfo (476) */ interface PalletParachainStakingInflationInflationInfo extends Struct { readonly expect: { readonly min: u128; @@ -6394,7 +6523,7 @@ declare module "@polkadot/types/lookup" { } & Struct; } - /** @name PalletParachainStakingError (469) */ + /** @name PalletParachainStakingError (477) */ interface PalletParachainStakingError extends Enum { readonly isDelegatorDNE: boolean; readonly isDelegatorDNEinTopNorBottom: boolean; @@ -6423,6 +6552,7 @@ declare module "@polkadot/types/lookup" { readonly isCannotSetBelowMin: boolean; readonly isRoundLengthMustBeGreaterThanTotalSelectedCollators: boolean; readonly isNoWritingSameValue: boolean; + readonly isTotalInflationDistributionPercentExceeds100: boolean; readonly isTooLowCandidateCountWeightHintJoinCandidates: boolean; readonly isTooLowCandidateCountWeightHintCancelLeaveCandidates: boolean; readonly isTooLowCandidateCountToLeaveCandidates: boolean; @@ -6479,6 +6609,7 @@ declare module "@polkadot/types/lookup" { | "CannotSetBelowMin" | "RoundLengthMustBeGreaterThanTotalSelectedCollators" | "NoWritingSameValue" + | "TotalInflationDistributionPercentExceeds100" | "TooLowCandidateCountWeightHintJoinCandidates" | "TooLowCandidateCountWeightHintCancelLeaveCandidates" | "TooLowCandidateCountToLeaveCandidates" @@ -6509,7 +6640,7 @@ declare module "@polkadot/types/lookup" { | "CurrentRoundTooLow"; } - /** @name PalletAuthorInherentError (470) */ + /** @name PalletAuthorInherentError (478) */ interface PalletAuthorInherentError extends Enum { readonly isAuthorAlreadySet: boolean; readonly isNoAccountId: boolean; @@ -6517,14 +6648,14 @@ declare module "@polkadot/types/lookup" { readonly type: "AuthorAlreadySet" | "NoAccountId" | "CannotBeAuthor"; } - /** @name PalletAuthorMappingRegistrationInfo (471) */ + /** @name PalletAuthorMappingRegistrationInfo (479) */ interface PalletAuthorMappingRegistrationInfo extends Struct { readonly account: AccountId20; readonly deposit: u128; readonly keys_: SessionKeysPrimitivesVrfVrfCryptoPublic; } - /** @name PalletAuthorMappingError (472) */ + /** @name PalletAuthorMappingError (480) */ interface PalletAuthorMappingError extends Enum { readonly isAssociationNotFound: boolean; readonly isNotYourAssociation: boolean; @@ -6545,20 +6676,20 @@ declare module "@polkadot/types/lookup" { | "DecodeKeysFailed"; } - /** @name PalletMoonbeamOrbitersCollatorPoolInfo (473) */ + /** @name PalletMoonbeamOrbitersCollatorPoolInfo (481) */ interface PalletMoonbeamOrbitersCollatorPoolInfo extends Struct { readonly orbiters: Vec; readonly maybeCurrentOrbiter: Option; readonly nextOrbiter: u32; } - /** @name PalletMoonbeamOrbitersCurrentOrbiter (475) */ + /** @name PalletMoonbeamOrbitersCurrentOrbiter (483) */ interface PalletMoonbeamOrbitersCurrentOrbiter extends Struct { readonly accountId: AccountId20; readonly removed: bool; } - /** @name PalletMoonbeamOrbitersError (476) */ + /** @name PalletMoonbeamOrbitersError (484) */ interface PalletMoonbeamOrbitersError extends Enum { readonly isCollatorAlreadyAdded: boolean; readonly isCollatorNotFound: boolean; @@ -6581,27 +6712,27 @@ declare module "@polkadot/types/lookup" { | "OrbiterStillInAPool"; } - /** @name PalletUtilityError (479) */ + /** @name PalletUtilityError (487) */ interface PalletUtilityError extends Enum { readonly isTooManyCalls: boolean; readonly type: "TooManyCalls"; } - /** @name PalletProxyProxyDefinition (482) */ + /** @name PalletProxyProxyDefinition (490) */ interface PalletProxyProxyDefinition extends Struct { readonly delegate: AccountId20; readonly proxyType: MoonbeamRuntimeProxyType; readonly delay: u32; } - /** @name PalletProxyAnnouncement (486) */ + /** @name PalletProxyAnnouncement (494) */ interface PalletProxyAnnouncement extends Struct { readonly real: AccountId20; readonly callHash: H256; readonly height: u32; } - /** @name PalletProxyError (488) */ + /** @name PalletProxyError (496) */ interface PalletProxyError extends Enum { readonly isTooMany: boolean; readonly isNotFound: boolean; @@ -6622,34 +6753,34 @@ declare module "@polkadot/types/lookup" { | "NoSelfProxy"; } - /** @name PalletMaintenanceModeError (489) */ + /** @name PalletMaintenanceModeError (497) */ interface PalletMaintenanceModeError extends Enum { readonly isAlreadyInMaintenanceMode: boolean; readonly isNotInMaintenanceMode: boolean; readonly type: "AlreadyInMaintenanceMode" | "NotInMaintenanceMode"; } - /** @name PalletIdentityRegistration (491) */ + /** @name PalletIdentityRegistration (499) */ interface PalletIdentityRegistration extends Struct { readonly judgements: Vec>; readonly deposit: u128; readonly info: PalletIdentityLegacyIdentityInfo; } - /** @name PalletIdentityRegistrarInfo (500) */ + /** @name PalletIdentityRegistrarInfo (508) */ interface PalletIdentityRegistrarInfo extends Struct { readonly account: AccountId20; readonly fee: u128; readonly fields: u64; } - /** @name PalletIdentityAuthorityProperties (502) */ + /** @name PalletIdentityAuthorityProperties (510) */ interface PalletIdentityAuthorityProperties extends Struct { readonly suffix: Bytes; readonly allocation: u32; } - /** @name PalletIdentityError (505) */ + /** @name PalletIdentityError (513) */ interface PalletIdentityError extends Enum { readonly isTooManySubAccounts: boolean; readonly isNotFound: boolean; @@ -6706,7 +6837,7 @@ declare module "@polkadot/types/lookup" { | "NotExpired"; } - /** @name PalletMigrationsError (506) */ + /** @name PalletMigrationsError (514) */ interface PalletMigrationsError extends Enum { readonly isPreimageMissing: boolean; readonly isWrongUpperBound: boolean; @@ -6719,7 +6850,7 @@ declare module "@polkadot/types/lookup" { | "PreimageAlreadyExists"; } - /** @name PalletMultisigMultisig (508) */ + /** @name PalletMultisigMultisig (516) */ interface PalletMultisigMultisig extends Struct { readonly when: PalletMultisigTimepoint; readonly deposit: u128; @@ -6727,7 +6858,7 @@ declare module "@polkadot/types/lookup" { readonly approvals: Vec; } - /** @name PalletMultisigError (510) */ + /** @name PalletMultisigError (518) */ interface PalletMultisigError extends Enum { readonly isMinimumThreshold: boolean; readonly isAlreadyApproved: boolean; @@ -6760,21 +6891,28 @@ declare module "@polkadot/types/lookup" { | "AlreadyStored"; } - /** @name PalletMoonbeamLazyMigrationsError (511) */ + /** @name PalletMoonbeamLazyMigrationsError (519) */ interface PalletMoonbeamLazyMigrationsError extends Enum { readonly isLimitCannotBeZero: boolean; readonly isAddressesLengthCannotBeZero: boolean; readonly isContractNotCorrupted: boolean; - readonly type: "LimitCannotBeZero" | "AddressesLengthCannotBeZero" | "ContractNotCorrupted"; + readonly isContractMetadataAlreadySet: boolean; + readonly isContractNotExist: boolean; + readonly type: + | "LimitCannotBeZero" + | "AddressesLengthCannotBeZero" + | "ContractNotCorrupted" + | "ContractMetadataAlreadySet" + | "ContractNotExist"; } - /** @name PalletEvmCodeMetadata (512) */ + /** @name PalletEvmCodeMetadata (520) */ interface PalletEvmCodeMetadata extends Struct { readonly size_: u64; readonly hash_: H256; } - /** @name PalletEvmError (514) */ + /** @name PalletEvmError (522) */ interface PalletEvmError extends Enum { readonly isBalanceLow: boolean; readonly isFeeOverflow: boolean; @@ -6805,7 +6943,7 @@ declare module "@polkadot/types/lookup" { | "Undefined"; } - /** @name FpRpcTransactionStatus (517) */ + /** @name FpRpcTransactionStatus (525) */ interface FpRpcTransactionStatus extends Struct { readonly transactionHash: H256; readonly transactionIndex: u32; @@ -6816,10 +6954,10 @@ declare module "@polkadot/types/lookup" { readonly logsBloom: EthbloomBloom; } - /** @name EthbloomBloom (519) */ + /** @name EthbloomBloom (527) */ interface EthbloomBloom extends U8aFixed {} - /** @name EthereumReceiptReceiptV3 (521) */ + /** @name EthereumReceiptReceiptV3 (529) */ interface EthereumReceiptReceiptV3 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumReceiptEip658ReceiptData; @@ -6830,7 +6968,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumReceiptEip658ReceiptData (522) */ + /** @name EthereumReceiptEip658ReceiptData (530) */ interface EthereumReceiptEip658ReceiptData extends Struct { readonly statusCode: u8; readonly usedGas: U256; @@ -6838,14 +6976,14 @@ declare module "@polkadot/types/lookup" { readonly logs: Vec; } - /** @name EthereumBlock (523) */ + /** @name EthereumBlock (531) */ interface EthereumBlock extends Struct { readonly header: EthereumHeader; readonly transactions: Vec; readonly ommers: Vec; } - /** @name EthereumHeader (524) */ + /** @name EthereumHeader (532) */ interface EthereumHeader extends Struct { readonly parentHash: H256; readonly ommersHash: H256; @@ -6864,17 +7002,17 @@ declare module "@polkadot/types/lookup" { readonly nonce: EthereumTypesHashH64; } - /** @name EthereumTypesHashH64 (525) */ + /** @name EthereumTypesHashH64 (533) */ interface EthereumTypesHashH64 extends U8aFixed {} - /** @name PalletEthereumError (530) */ + /** @name PalletEthereumError (538) */ interface PalletEthereumError extends Enum { readonly isInvalidSignature: boolean; readonly isPreLogExists: boolean; readonly type: "InvalidSignature" | "PreLogExists"; } - /** @name PalletSchedulerScheduled (533) */ + /** @name PalletSchedulerScheduled (541) */ interface PalletSchedulerScheduled extends Struct { readonly maybeId: Option; readonly priority: u8; @@ -6883,14 +7021,14 @@ declare module "@polkadot/types/lookup" { readonly origin: MoonbeamRuntimeOriginCaller; } - /** @name PalletSchedulerRetryConfig (535) */ + /** @name PalletSchedulerRetryConfig (543) */ interface PalletSchedulerRetryConfig extends Struct { readonly totalRetries: u8; readonly remaining: u8; readonly period: u32; } - /** @name PalletSchedulerError (536) */ + /** @name PalletSchedulerError (544) */ interface PalletSchedulerError extends Enum { readonly isFailedToSchedule: boolean; readonly isNotFound: boolean; @@ -6905,7 +7043,7 @@ declare module "@polkadot/types/lookup" { | "Named"; } - /** @name PalletPreimageOldRequestStatus (537) */ + /** @name PalletPreimageOldRequestStatus (545) */ interface PalletPreimageOldRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -6921,7 +7059,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageRequestStatus (540) */ + /** @name PalletPreimageRequestStatus (548) */ interface PalletPreimageRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -6937,7 +7075,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageError (546) */ + /** @name PalletPreimageError (554) */ interface PalletPreimageError extends Enum { readonly isTooBig: boolean; readonly isAlreadyNoted: boolean; @@ -6958,7 +7096,7 @@ declare module "@polkadot/types/lookup" { | "TooFew"; } - /** @name PalletConvictionVotingVoteVoting (548) */ + /** @name PalletConvictionVotingVoteVoting (556) */ interface PalletConvictionVotingVoteVoting extends Enum { readonly isCasting: boolean; readonly asCasting: PalletConvictionVotingVoteCasting; @@ -6967,23 +7105,23 @@ declare module "@polkadot/types/lookup" { readonly type: "Casting" | "Delegating"; } - /** @name PalletConvictionVotingVoteCasting (549) */ + /** @name PalletConvictionVotingVoteCasting (557) */ interface PalletConvictionVotingVoteCasting extends Struct { readonly votes: Vec>; readonly delegations: PalletConvictionVotingDelegations; readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingDelegations (553) */ + /** @name PalletConvictionVotingDelegations (561) */ interface PalletConvictionVotingDelegations extends Struct { readonly votes: u128; readonly capital: u128; } - /** @name PalletConvictionVotingVotePriorLock (554) */ + /** @name PalletConvictionVotingVotePriorLock (562) */ interface PalletConvictionVotingVotePriorLock extends ITuple<[u32, u128]> {} - /** @name PalletConvictionVotingVoteDelegating (555) */ + /** @name PalletConvictionVotingVoteDelegating (563) */ interface PalletConvictionVotingVoteDelegating extends Struct { readonly balance: u128; readonly target: AccountId20; @@ -6992,7 +7130,7 @@ declare module "@polkadot/types/lookup" { readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingError (559) */ + /** @name PalletConvictionVotingError (567) */ interface PalletConvictionVotingError extends Enum { readonly isNotOngoing: boolean; readonly isNotVoter: boolean; @@ -7021,7 +7159,7 @@ declare module "@polkadot/types/lookup" { | "BadClass"; } - /** @name PalletReferendaReferendumInfo (560) */ + /** @name PalletReferendaReferendumInfo (568) */ interface PalletReferendaReferendumInfo extends Enum { readonly isOngoing: boolean; readonly asOngoing: PalletReferendaReferendumStatus; @@ -7046,7 +7184,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ongoing" | "Approved" | "Rejected" | "Cancelled" | "TimedOut" | "Killed"; } - /** @name PalletReferendaReferendumStatus (561) */ + /** @name PalletReferendaReferendumStatus (569) */ interface PalletReferendaReferendumStatus extends Struct { readonly track: u16; readonly origin: MoonbeamRuntimeOriginCaller; @@ -7061,19 +7199,19 @@ declare module "@polkadot/types/lookup" { readonly alarm: Option]>>; } - /** @name PalletReferendaDeposit (562) */ + /** @name PalletReferendaDeposit (570) */ interface PalletReferendaDeposit extends Struct { readonly who: AccountId20; readonly amount: u128; } - /** @name PalletReferendaDecidingStatus (565) */ + /** @name PalletReferendaDecidingStatus (573) */ interface PalletReferendaDecidingStatus extends Struct { readonly since: u32; readonly confirming: Option; } - /** @name PalletReferendaTrackInfo (573) */ + /** @name PalletReferendaTrackInfo (581) */ interface PalletReferendaTrackInfo extends Struct { readonly name: Text; readonly maxDeciding: u32; @@ -7086,7 +7224,7 @@ declare module "@polkadot/types/lookup" { readonly minSupport: PalletReferendaCurve; } - /** @name PalletReferendaCurve (574) */ + /** @name PalletReferendaCurve (582) */ interface PalletReferendaCurve extends Enum { readonly isLinearDecreasing: boolean; readonly asLinearDecreasing: { @@ -7110,7 +7248,7 @@ declare module "@polkadot/types/lookup" { readonly type: "LinearDecreasing" | "SteppedDecreasing" | "Reciprocal"; } - /** @name PalletReferendaError (577) */ + /** @name PalletReferendaError (585) */ interface PalletReferendaError extends Enum { readonly isNotOngoing: boolean; readonly isHasDeposit: boolean; @@ -7143,7 +7281,7 @@ declare module "@polkadot/types/lookup" { | "PreimageStoredWithDifferentLength"; } - /** @name PalletWhitelistError (578) */ + /** @name PalletWhitelistError (586) */ interface PalletWhitelistError extends Enum { readonly isUnavailablePreImage: boolean; readonly isUndecodableCall: boolean; @@ -7158,7 +7296,7 @@ declare module "@polkadot/types/lookup" { | "CallAlreadyWhitelisted"; } - /** @name PalletCollectiveVotes (580) */ + /** @name PalletCollectiveVotes (588) */ interface PalletCollectiveVotes extends Struct { readonly index: u32; readonly threshold: u32; @@ -7167,7 +7305,7 @@ declare module "@polkadot/types/lookup" { readonly end: u32; } - /** @name PalletCollectiveError (581) */ + /** @name PalletCollectiveError (589) */ interface PalletCollectiveError extends Enum { readonly isNotMember: boolean; readonly isDuplicateProposal: boolean; @@ -7194,7 +7332,7 @@ declare module "@polkadot/types/lookup" { | "PrimeAccountNotMember"; } - /** @name PalletTreasuryProposal (584) */ + /** @name PalletTreasuryProposal (592) */ interface PalletTreasuryProposal extends Struct { readonly proposer: AccountId20; readonly value: u128; @@ -7202,7 +7340,7 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; } - /** @name PalletTreasurySpendStatus (587) */ + /** @name PalletTreasurySpendStatus (595) */ interface PalletTreasurySpendStatus extends Struct { readonly assetKind: Null; readonly amount: u128; @@ -7212,7 +7350,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletTreasuryPaymentState; } - /** @name PalletTreasuryPaymentState (588) */ + /** @name PalletTreasuryPaymentState (596) */ interface PalletTreasuryPaymentState extends Enum { readonly isPending: boolean; readonly isAttempted: boolean; @@ -7223,10 +7361,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "Attempted" | "Failed"; } - /** @name FrameSupportPalletId (590) */ + /** @name FrameSupportPalletId (598) */ interface FrameSupportPalletId extends U8aFixed {} - /** @name PalletTreasuryError (591) */ + /** @name PalletTreasuryError (599) */ interface PalletTreasuryError extends Enum { readonly isInsufficientProposersBalance: boolean; readonly isInvalidIndex: boolean; @@ -7255,14 +7393,14 @@ declare module "@polkadot/types/lookup" { | "Inconclusive"; } - /** @name PalletCrowdloanRewardsRewardInfo (592) */ + /** @name PalletCrowdloanRewardsRewardInfo (600) */ interface PalletCrowdloanRewardsRewardInfo extends Struct { readonly totalReward: u128; readonly claimedReward: u128; readonly contributedRelayAddresses: Vec; } - /** @name PalletCrowdloanRewardsError (594) */ + /** @name PalletCrowdloanRewardsError (602) */ interface PalletCrowdloanRewardsError extends Enum { readonly isAlreadyAssociated: boolean; readonly isBatchBeyondFundPot: boolean; @@ -7297,7 +7435,7 @@ declare module "@polkadot/types/lookup" { | "InsufficientNumberOfValidProofs"; } - /** @name CumulusPalletXcmpQueueOutboundChannelDetails (599) */ + /** @name CumulusPalletXcmpQueueOutboundChannelDetails (607) */ interface CumulusPalletXcmpQueueOutboundChannelDetails extends Struct { readonly recipient: u32; readonly state: CumulusPalletXcmpQueueOutboundState; @@ -7306,21 +7444,21 @@ declare module "@polkadot/types/lookup" { readonly lastIndex: u16; } - /** @name CumulusPalletXcmpQueueOutboundState (600) */ + /** @name CumulusPalletXcmpQueueOutboundState (608) */ interface CumulusPalletXcmpQueueOutboundState extends Enum { readonly isOk: boolean; readonly isSuspended: boolean; readonly type: "Ok" | "Suspended"; } - /** @name CumulusPalletXcmpQueueQueueConfigData (602) */ + /** @name CumulusPalletXcmpQueueQueueConfigData (610) */ interface CumulusPalletXcmpQueueQueueConfigData extends Struct { readonly suspendThreshold: u32; readonly dropThreshold: u32; readonly resumeThreshold: u32; } - /** @name CumulusPalletXcmpQueueError (603) */ + /** @name CumulusPalletXcmpQueueError (611) */ interface CumulusPalletXcmpQueueError extends Enum { readonly isBadQueueConfig: boolean; readonly isAlreadySuspended: boolean; @@ -7328,7 +7466,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadQueueConfig" | "AlreadySuspended" | "AlreadyResumed"; } - /** @name CumulusPalletDmpQueueMigrationState (604) */ + /** @name CumulusPalletDmpQueueMigrationState (612) */ interface CumulusPalletDmpQueueMigrationState extends Enum { readonly isNotStarted: boolean; readonly isStartedExport: boolean; @@ -7356,7 +7494,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmQueryStatus (607) */ + /** @name PalletXcmQueryStatus (615) */ interface PalletXcmQueryStatus extends Enum { readonly isPending: boolean; readonly asPending: { @@ -7378,7 +7516,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "VersionNotifier" | "Ready"; } - /** @name XcmVersionedResponse (611) */ + /** @name XcmVersionedResponse (619) */ interface XcmVersionedResponse extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Response; @@ -7389,7 +7527,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmVersionMigrationStage (617) */ + /** @name PalletXcmVersionMigrationStage (625) */ interface PalletXcmVersionMigrationStage extends Enum { readonly isMigrateSupportedVersion: boolean; readonly isMigrateVersionNotifiers: boolean; @@ -7403,7 +7541,7 @@ declare module "@polkadot/types/lookup" { | "MigrateAndNotifyOldTargets"; } - /** @name PalletXcmRemoteLockedFungibleRecord (620) */ + /** @name PalletXcmRemoteLockedFungibleRecord (628) */ interface PalletXcmRemoteLockedFungibleRecord extends Struct { readonly amount: u128; readonly owner: XcmVersionedLocation; @@ -7411,7 +7549,7 @@ declare module "@polkadot/types/lookup" { readonly consumers: Vec>; } - /** @name PalletXcmError (627) */ + /** @name PalletXcmError (635) */ interface PalletXcmError extends Enum { readonly isUnreachable: boolean; readonly isSendFailure: boolean; @@ -7464,7 +7602,7 @@ declare module "@polkadot/types/lookup" { | "LocalExecutionIncomplete"; } - /** @name PalletAssetsAssetDetails (628) */ + /** @name PalletAssetsAssetDetails (636) */ interface PalletAssetsAssetDetails extends Struct { readonly owner: AccountId20; readonly issuer: AccountId20; @@ -7480,7 +7618,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletAssetsAssetStatus; } - /** @name PalletAssetsAssetStatus (629) */ + /** @name PalletAssetsAssetStatus (637) */ interface PalletAssetsAssetStatus extends Enum { readonly isLive: boolean; readonly isFrozen: boolean; @@ -7488,7 +7626,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Live" | "Frozen" | "Destroying"; } - /** @name PalletAssetsAssetAccount (631) */ + /** @name PalletAssetsAssetAccount (639) */ interface PalletAssetsAssetAccount extends Struct { readonly balance: u128; readonly status: PalletAssetsAccountStatus; @@ -7496,7 +7634,7 @@ declare module "@polkadot/types/lookup" { readonly extra: Null; } - /** @name PalletAssetsAccountStatus (632) */ + /** @name PalletAssetsAccountStatus (640) */ interface PalletAssetsAccountStatus extends Enum { readonly isLiquid: boolean; readonly isFrozen: boolean; @@ -7504,7 +7642,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Liquid" | "Frozen" | "Blocked"; } - /** @name PalletAssetsExistenceReason (633) */ + /** @name PalletAssetsExistenceReason (641) */ interface PalletAssetsExistenceReason extends Enum { readonly isConsumer: boolean; readonly isSufficient: boolean; @@ -7516,13 +7654,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Consumer" | "Sufficient" | "DepositHeld" | "DepositRefunded" | "DepositFrom"; } - /** @name PalletAssetsApproval (635) */ + /** @name PalletAssetsApproval (643) */ interface PalletAssetsApproval extends Struct { readonly amount: u128; readonly deposit: u128; } - /** @name PalletAssetsAssetMetadata (636) */ + /** @name PalletAssetsAssetMetadata (644) */ interface PalletAssetsAssetMetadata extends Struct { readonly deposit: u128; readonly name: Bytes; @@ -7531,7 +7669,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletAssetsError (638) */ + /** @name PalletAssetsError (646) */ interface PalletAssetsError extends Enum { readonly isBalanceLow: boolean; readonly isNoAccount: boolean; @@ -7576,7 +7714,7 @@ declare module "@polkadot/types/lookup" { | "CallbackFailed"; } - /** @name PalletAssetManagerError (640) */ + /** @name PalletAssetManagerError (647) */ interface PalletAssetManagerError extends Enum { readonly isErrorCreatingAsset: boolean; readonly isAssetAlreadyExists: boolean; @@ -7597,7 +7735,7 @@ declare module "@polkadot/types/lookup" { | "NonExistentLocalAsset"; } - /** @name OrmlXtokensModuleError (641) */ + /** @name OrmlXtokensModuleError (648) */ interface OrmlXtokensModuleError extends Enum { readonly isAssetHasNoReserve: boolean; readonly isNotCrossChainTransfer: boolean; @@ -7642,7 +7780,7 @@ declare module "@polkadot/types/lookup" { | "RateLimited"; } - /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (642) */ + /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (649) */ interface PalletXcmTransactorRelayIndicesRelayChainIndices extends Struct { readonly staking: u8; readonly utility: u8; @@ -7664,7 +7802,7 @@ declare module "@polkadot/types/lookup" { readonly cancelOpenRequest: u8; } - /** @name PalletXcmTransactorError (643) */ + /** @name PalletXcmTransactorError (650) */ interface PalletXcmTransactorError extends Enum { readonly isIndexAlreadyClaimed: boolean; readonly isUnclaimedIndex: boolean; @@ -7723,13 +7861,13 @@ declare module "@polkadot/types/lookup" { | "RefundNotSupportedWithTransactInfo"; } - /** @name PalletEthereumXcmError (644) */ + /** @name PalletEthereumXcmError (651) */ interface PalletEthereumXcmError extends Enum { readonly isEthereumXcmExecutionSuspended: boolean; readonly type: "EthereumXcmExecutionSuspended"; } - /** @name PalletMessageQueueBookState (645) */ + /** @name PalletMessageQueueBookState (652) */ interface PalletMessageQueueBookState extends Struct { readonly begin: u32; readonly end: u32; @@ -7739,13 +7877,13 @@ declare module "@polkadot/types/lookup" { readonly size_: u64; } - /** @name PalletMessageQueueNeighbours (647) */ + /** @name PalletMessageQueueNeighbours (654) */ interface PalletMessageQueueNeighbours extends Struct { readonly prev: CumulusPrimitivesCoreAggregateMessageOrigin; readonly next: CumulusPrimitivesCoreAggregateMessageOrigin; } - /** @name PalletMessageQueuePage (649) */ + /** @name PalletMessageQueuePage (656) */ interface PalletMessageQueuePage extends Struct { readonly remaining: u32; readonly remainingSize: u32; @@ -7755,7 +7893,7 @@ declare module "@polkadot/types/lookup" { readonly heap: Bytes; } - /** @name PalletMessageQueueError (651) */ + /** @name PalletMessageQueueError (658) */ interface PalletMessageQueueError extends Enum { readonly isNotReapable: boolean; readonly isNoPage: boolean; @@ -7778,19 +7916,90 @@ declare module "@polkadot/types/lookup" { | "RecursiveDisallowed"; } - /** @name PalletPrecompileBenchmarksError (653) */ + /** @name PalletMoonbeamForeignAssetsAssetStatus (660) */ + interface PalletMoonbeamForeignAssetsAssetStatus extends Enum { + readonly isActive: boolean; + readonly isFrozenXcmDepositAllowed: boolean; + readonly isFrozenXcmDepositForbidden: boolean; + readonly type: "Active" | "FrozenXcmDepositAllowed" | "FrozenXcmDepositForbidden"; + } + + /** @name PalletMoonbeamForeignAssetsError (661) */ + interface PalletMoonbeamForeignAssetsError extends Enum { + readonly isAssetAlreadyExists: boolean; + readonly isAssetAlreadyFrozen: boolean; + readonly isAssetDoesNotExist: boolean; + readonly isAssetIdFiltered: boolean; + readonly isAssetNotFrozen: boolean; + readonly isCorruptedStorageOrphanLocation: boolean; + readonly isErc20ContractCreationFail: boolean; + readonly isEvmCallPauseFail: boolean; + readonly isEvmCallUnpauseFail: boolean; + readonly isEvmInternalError: boolean; + readonly isInvalidSymbol: boolean; + readonly isInvalidTokenName: boolean; + readonly isLocationAlreadyExists: boolean; + readonly isTooManyForeignAssets: boolean; + readonly type: + | "AssetAlreadyExists" + | "AssetAlreadyFrozen" + | "AssetDoesNotExist" + | "AssetIdFiltered" + | "AssetNotFrozen" + | "CorruptedStorageOrphanLocation" + | "Erc20ContractCreationFail" + | "EvmCallPauseFail" + | "EvmCallUnpauseFail" + | "EvmInternalError" + | "InvalidSymbol" + | "InvalidTokenName" + | "LocationAlreadyExists" + | "TooManyForeignAssets"; + } + + /** @name PalletXcmWeightTraderError (663) */ + interface PalletXcmWeightTraderError extends Enum { + readonly isAssetAlreadyAdded: boolean; + readonly isAssetAlreadyPaused: boolean; + readonly isAssetNotFound: boolean; + readonly isAssetNotPaused: boolean; + readonly isXcmLocationFiltered: boolean; + readonly isPriceCannotBeZero: boolean; + readonly type: + | "AssetAlreadyAdded" + | "AssetAlreadyPaused" + | "AssetNotFound" + | "AssetNotPaused" + | "XcmLocationFiltered" + | "PriceCannotBeZero"; + } + + /** @name PalletEmergencyParaXcmXcmMode (664) */ + interface PalletEmergencyParaXcmXcmMode extends Enum { + readonly isNormal: boolean; + readonly isPaused: boolean; + readonly type: "Normal" | "Paused"; + } + + /** @name PalletEmergencyParaXcmError (665) */ + interface PalletEmergencyParaXcmError extends Enum { + readonly isNotInPausedMode: boolean; + readonly type: "NotInPausedMode"; + } + + /** @name PalletPrecompileBenchmarksError (667) */ interface PalletPrecompileBenchmarksError extends Enum { readonly isBenchmarkError: boolean; readonly type: "BenchmarkError"; } - /** @name PalletRandomnessRequestState (654) */ + /** @name PalletRandomnessRequestState (668) */ interface PalletRandomnessRequestState extends Struct { readonly request: PalletRandomnessRequest; readonly deposit: u128; } - /** @name PalletRandomnessRequest (655) */ + /** @name PalletRandomnessRequest (669) */ interface PalletRandomnessRequest extends Struct { readonly refundAddress: H160; readonly contractAddress: H160; @@ -7801,7 +8010,7 @@ declare module "@polkadot/types/lookup" { readonly info: PalletRandomnessRequestInfo; } - /** @name PalletRandomnessRequestInfo (656) */ + /** @name PalletRandomnessRequestInfo (670) */ interface PalletRandomnessRequestInfo extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: ITuple<[u64, u64]>; @@ -7810,7 +8019,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRequestType (657) */ + /** @name PalletRandomnessRequestType (671) */ interface PalletRandomnessRequestType extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: u64; @@ -7819,13 +8028,13 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRandomnessResult (658) */ + /** @name PalletRandomnessRandomnessResult (672) */ interface PalletRandomnessRandomnessResult extends Struct { readonly randomness: Option; readonly requestCount: u64; } - /** @name PalletRandomnessError (659) */ + /** @name PalletRandomnessError (673) */ interface PalletRandomnessError extends Enum { readonly isRequestCounterOverflowed: boolean; readonly isRequestFeeOverflowed: boolean; @@ -7854,27 +8063,42 @@ declare module "@polkadot/types/lookup" { | "RandomnessResultNotFilled"; } - /** @name FrameSystemExtensionsCheckNonZeroSender (662) */ + /** @name FrameSystemExtensionsCheckNonZeroSender (676) */ type FrameSystemExtensionsCheckNonZeroSender = Null; - /** @name FrameSystemExtensionsCheckSpecVersion (663) */ + /** @name FrameSystemExtensionsCheckSpecVersion (677) */ type FrameSystemExtensionsCheckSpecVersion = Null; - /** @name FrameSystemExtensionsCheckTxVersion (664) */ + /** @name FrameSystemExtensionsCheckTxVersion (678) */ type FrameSystemExtensionsCheckTxVersion = Null; - /** @name FrameSystemExtensionsCheckGenesis (665) */ + /** @name FrameSystemExtensionsCheckGenesis (679) */ type FrameSystemExtensionsCheckGenesis = Null; - /** @name FrameSystemExtensionsCheckNonce (668) */ + /** @name FrameSystemExtensionsCheckNonce (682) */ interface FrameSystemExtensionsCheckNonce extends Compact {} - /** @name FrameSystemExtensionsCheckWeight (669) */ + /** @name FrameSystemExtensionsCheckWeight (683) */ type FrameSystemExtensionsCheckWeight = Null; - /** @name PalletTransactionPaymentChargeTransactionPayment (670) */ + /** @name PalletTransactionPaymentChargeTransactionPayment (684) */ interface PalletTransactionPaymentChargeTransactionPayment extends Compact {} - /** @name MoonbeamRuntimeRuntime (672) */ + /** @name FrameMetadataHashExtensionCheckMetadataHash (685) */ + interface FrameMetadataHashExtensionCheckMetadataHash extends Struct { + readonly mode: FrameMetadataHashExtensionMode; + } + + /** @name FrameMetadataHashExtensionMode (686) */ + interface FrameMetadataHashExtensionMode extends Enum { + readonly isDisabled: boolean; + readonly isEnabled: boolean; + readonly type: "Disabled" | "Enabled"; + } + + /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (687) */ + type CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim = Null; + + /** @name MoonbeamRuntimeRuntime (689) */ type MoonbeamRuntimeRuntime = Null; } // declare module diff --git a/typescript-api/src/moonbeam/interfaces/types.ts b/typescript-api/src/moonbeam/interfaces/types.ts index 11b9b02166..35d50cccd0 100644 --- a/typescript-api/src/moonbeam/interfaces/types.ts +++ b/typescript-api/src/moonbeam/interfaces/types.ts @@ -1,4 +1,4 @@ // Auto-generated via `yarn polkadot-types-from-defs`, do not edit /* eslint-disable */ -export * from "./moon/types.js"; +export * from "./empty/types.js"; diff --git a/typescript-api/src/moonriver/interfaces/augment-api-consts.ts b/typescript-api/src/moonriver/interfaces/augment-api-consts.ts index f86b6651e7..8aa1f678ef 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-consts.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-consts.ts @@ -298,8 +298,7 @@ declare module "@polkadot/api-base/types/consts" { * * This is held for adding 32 bytes plus an instance of `ProxyType` more into a pre-existing * storage value. Thus, when configuring `ProxyDepositFactor` one should take into account `32 - * - * - Proxy_type.encode().len()` bytes of data. + * + proxy_type.encode().len()` bytes of data. */ proxyDepositFactor: u128 & AugmentedConst; /** Generic const */ diff --git a/typescript-api/src/moonriver/interfaces/augment-api-errors.ts b/typescript-api/src/moonriver/interfaces/augment-api-errors.ts index f87f4c1441..b0ba14454a 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-errors.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-errors.ts @@ -210,6 +210,12 @@ declare module "@polkadot/api-base/types/errors" { /** Generic error */ [key: string]: AugmentedError; }; + emergencyParaXcm: { + /** The current XCM Mode is not Paused */ + NotInPausedMode: AugmentedError; + /** Generic error */ + [key: string]: AugmentedError; + }; ethereum: { /** Signature is invalid. */ InvalidSignature: AugmentedError; @@ -254,6 +260,24 @@ declare module "@polkadot/api-base/types/errors" { /** Generic error */ [key: string]: AugmentedError; }; + evmForeignAssets: { + AssetAlreadyExists: AugmentedError; + AssetAlreadyFrozen: AugmentedError; + AssetDoesNotExist: AugmentedError; + AssetIdFiltered: AugmentedError; + AssetNotFrozen: AugmentedError; + CorruptedStorageOrphanLocation: AugmentedError; + Erc20ContractCreationFail: AugmentedError; + EvmCallPauseFail: AugmentedError; + EvmCallUnpauseFail: AugmentedError; + EvmInternalError: AugmentedError; + InvalidSymbol: AugmentedError; + InvalidTokenName: AugmentedError; + LocationAlreadyExists: AugmentedError; + TooManyForeignAssets: AugmentedError; + /** Generic error */ + [key: string]: AugmentedError; + }; identity: { /** Account ID is already named. */ AlreadyClaimed: AugmentedError; @@ -363,8 +387,12 @@ declare module "@polkadot/api-base/types/errors" { moonbeamLazyMigrations: { /** There must be at least one address */ AddressesLengthCannotBeZero: AugmentedError; + /** The contract already have metadata */ + ContractMetadataAlreadySet: AugmentedError; /** The contract is not corrupted (Still exist or properly suicided) */ ContractNotCorrupted: AugmentedError; + /** Contract not exist */ + ContractNotExist: AugmentedError; /** The limit cannot be zero */ LimitCannotBeZero: AugmentedError; /** Generic error */ @@ -509,6 +537,7 @@ declare module "@polkadot/api-base/types/errors" { TooLowDelegationCountToAutoCompound: AugmentedError; TooLowDelegationCountToDelegate: AugmentedError; TooLowDelegationCountToLeaveDelegators: AugmentedError; + TotalInflationDistributionPercentExceeds100: AugmentedError; /** Generic error */ [key: string]: AugmentedError; }; @@ -838,6 +867,22 @@ declare module "@polkadot/api-base/types/errors" { /** Generic error */ [key: string]: AugmentedError; }; + xcmWeightTrader: { + /** The given asset was already added */ + AssetAlreadyAdded: AugmentedError; + /** The given asset was already paused */ + AssetAlreadyPaused: AugmentedError; + /** The given asset was not found */ + AssetNotFound: AugmentedError; + /** The given asset is not paused */ + AssetNotPaused: AugmentedError; + /** The relative price cannot be zero */ + PriceCannotBeZero: AugmentedError; + /** XCM location filtered */ + XcmLocationFiltered: AugmentedError; + /** Generic error */ + [key: string]: AugmentedError; + }; xTokens: { /** Asset has no reserve location. */ AssetHasNoReserve: AugmentedError; diff --git a/typescript-api/src/moonriver/interfaces/augment-api-events.ts b/typescript-api/src/moonriver/interfaces/augment-api-events.ts index 3bcbaa0113..8c742e6020 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-events.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-events.ts @@ -12,6 +12,7 @@ import type { Option, Result, U8aFixed, + Vec, bool, u128, u16, @@ -38,6 +39,7 @@ import type { PalletMultisigTimepoint, PalletParachainStakingDelegationRequestsCancelledScheduledRequest, PalletParachainStakingDelegatorAdded, + PalletParachainStakingInflationDistributionAccount, PalletXcmTransactorHrmpOperation, PalletXcmTransactorRemoteTransactInfoWithMaxWeight, SessionKeysPrimitivesVrfVrfCryptoPublic, @@ -101,11 +103,7 @@ declare module "@polkadot/api-base/types/events" { { assetType: MoonriverRuntimeXcmConfigAssetType } >; /** Changed the amount of units we are charging per execution second for a given asset */ - UnitsPerSecondChanged: AugmentedEvent< - ApiType, - [assetType: MoonriverRuntimeXcmConfigAssetType, unitsPerSecond: u128], - { assetType: MoonriverRuntimeXcmConfigAssetType; unitsPerSecond: u128 } - >; + UnitsPerSecondChanged: AugmentedEvent; /** Generic event */ [key: string]: AugmentedEvent; }; @@ -517,6 +515,14 @@ declare module "@polkadot/api-base/types/events" { /** Generic event */ [key: string]: AugmentedEvent; }; + emergencyParaXcm: { + /** The XCM incoming execution was Paused */ + EnteredPausedXcmMode: AugmentedEvent; + /** The XCM incoming execution returned to normal operation */ + NormalXcmOperationResumed: AugmentedEvent; + /** Generic event */ + [key: string]: AugmentedEvent; + }; ethereum: { /** An ethereum transaction was successfully executed. */ Executed: AugmentedEvent< @@ -563,6 +569,32 @@ declare module "@polkadot/api-base/types/events" { /** Generic event */ [key: string]: AugmentedEvent; }; + evmForeignAssets: { + /** New asset with the asset manager is registered */ + ForeignAssetCreated: AugmentedEvent< + ApiType, + [contractAddress: H160, assetId: u128, xcmLocation: StagingXcmV4Location], + { contractAddress: H160; assetId: u128; xcmLocation: StagingXcmV4Location } + >; + ForeignAssetFrozen: AugmentedEvent< + ApiType, + [assetId: u128, xcmLocation: StagingXcmV4Location], + { assetId: u128; xcmLocation: StagingXcmV4Location } + >; + ForeignAssetUnfrozen: AugmentedEvent< + ApiType, + [assetId: u128, xcmLocation: StagingXcmV4Location], + { assetId: u128; xcmLocation: StagingXcmV4Location } + >; + /** Changed the xcm type mapping for a given asset id */ + ForeignAssetXcmLocationChanged: AugmentedEvent< + ApiType, + [assetId: u128, newXcmLocation: StagingXcmV4Location], + { assetId: u128; newXcmLocation: StagingXcmV4Location } + >; + /** Generic event */ + [key: string]: AugmentedEvent; + }; identity: { /** A username authority was added. */ AuthorityAdded: AugmentedEvent; @@ -1113,6 +1145,23 @@ declare module "@polkadot/api-base/types/events" { totalCandidateStaked: u128; } >; + /** Transferred to account which holds funds reserved for parachain bond. */ + InflationDistributed: AugmentedEvent< + ApiType, + [index: u32, account: AccountId20, value: u128], + { index: u32; account: AccountId20; value: u128 } + >; + InflationDistributionConfigUpdated: AugmentedEvent< + ApiType, + [ + old: Vec, + new_: Vec + ], + { + old: Vec; + new_: Vec; + } + >; /** Annual inflation input (first 3) was used to derive new per-round inflation (last 3) */ InflationSet: AugmentedEvent< ApiType, @@ -1145,24 +1194,6 @@ declare module "@polkadot/api-base/types/events" { [startingBlock: u32, round: u32, selectedCollatorsNumber: u32, totalBalance: u128], { startingBlock: u32; round: u32; selectedCollatorsNumber: u32; totalBalance: u128 } >; - /** Account (re)set for parachain bond treasury. */ - ParachainBondAccountSet: AugmentedEvent< - ApiType, - [old: AccountId20, new_: AccountId20], - { old: AccountId20; new_: AccountId20 } - >; - /** Percent of inflation reserved for parachain bond (re)set. */ - ParachainBondReservePercentSet: AugmentedEvent< - ApiType, - [old: Percent, new_: Percent], - { old: Percent; new_: Percent } - >; - /** Transferred to account which holds funds reserved for parachain bond. */ - ReservedForParachainBond: AugmentedEvent< - ApiType, - [account: AccountId20, value: u128], - { account: AccountId20; value: u128 } - >; /** Paid the account (delegator or collator) the balance as liquid rewards. */ Rewarded: AugmentedEvent< ApiType, @@ -2033,6 +2064,40 @@ declare module "@polkadot/api-base/types/events" { /** Generic event */ [key: string]: AugmentedEvent; }; + xcmWeightTrader: { + /** Pause support for a given asset */ + PauseAssetSupport: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location], + { location: StagingXcmV4Location } + >; + /** Resume support for a given asset */ + ResumeAssetSupport: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location], + { location: StagingXcmV4Location } + >; + /** New supported asset is registered */ + SupportedAssetAdded: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location, relativePrice: u128], + { location: StagingXcmV4Location; relativePrice: u128 } + >; + /** Changed the amount of units we are charging per execution second for a given asset */ + SupportedAssetEdited: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location, relativePrice: u128], + { location: StagingXcmV4Location; relativePrice: u128 } + >; + /** Supported asset type for fee payment removed */ + SupportedAssetRemoved: AugmentedEvent< + ApiType, + [location: StagingXcmV4Location], + { location: StagingXcmV4Location } + >; + /** Generic event */ + [key: string]: AugmentedEvent; + }; xTokens: { /** Transferred `Asset` with fee. */ TransferredAssets: AugmentedEvent< diff --git a/typescript-api/src/moonriver/interfaces/augment-api-query.ts b/typescript-api/src/moonriver/interfaces/augment-api-query.ts index 5dce72882d..491dd8595e 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-query.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-query.ts @@ -65,12 +65,14 @@ import type { PalletCollectiveVotes, PalletConvictionVotingVoteVoting, PalletCrowdloanRewardsRewardInfo, + PalletEmergencyParaXcmXcmMode, PalletEvmCodeMetadata, PalletIdentityAuthorityProperties, PalletIdentityRegistrarInfo, PalletIdentityRegistration, PalletMessageQueueBookState, PalletMessageQueuePage, + PalletMoonbeamForeignAssetsAssetStatus, PalletMoonbeamOrbitersCollatorPoolInfo, PalletMultisigMultisig, PalletParachainStakingAutoCompoundAutoCompoundConfig, @@ -81,8 +83,8 @@ import type { PalletParachainStakingDelegationRequestsScheduledRequest, PalletParachainStakingDelegations, PalletParachainStakingDelegator, + PalletParachainStakingInflationDistributionAccount, PalletParachainStakingInflationInflationInfo, - PalletParachainStakingParachainBondConfig, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, PalletPreimageOldRequestStatus, @@ -148,25 +150,6 @@ declare module "@polkadot/api-base/types/storage" { [MoonriverRuntimeXcmConfigAssetType] > & QueryableStorageEntry; - /** - * Stores the units per second for local execution for a AssetType. This is used to know how - * to charge for XCM execution in a particular asset Not all assets might contain units per - * second, hence the different storage - */ - assetTypeUnitsPerSecond: AugmentedQuery< - ApiType, - ( - arg: MoonriverRuntimeXcmConfigAssetType | { Xcm: any } | string | Uint8Array - ) => Observable>, - [MoonriverRuntimeXcmConfigAssetType] - > & - QueryableStorageEntry; - supportedFeePaymentAssets: AugmentedQuery< - ApiType, - () => Observable>, - [] - > & - QueryableStorageEntry; /** Generic query */ [key: string]: QueryableStorageEntry; }; @@ -435,6 +418,13 @@ declare module "@polkadot/api-base/types/storage" { /** Generic query */ [key: string]: QueryableStorageEntry; }; + emergencyParaXcm: { + /** Whether incoming XCM is enabled or paused */ + mode: AugmentedQuery Observable, []> & + QueryableStorageEntry; + /** Generic query */ + [key: string]: QueryableStorageEntry; + }; ethereum: { blockHash: AugmentedQuery< ApiType, @@ -520,6 +510,36 @@ declare module "@polkadot/api-base/types/storage" { /** Generic query */ [key: string]: QueryableStorageEntry; }; + evmForeignAssets: { + /** + * Mapping from an asset id to a Foreign asset type. This is mostly used when receiving + * transaction specifying an asset directly, like transferring an asset from this chain to another. + */ + assetsById: AugmentedQuery< + ApiType, + (arg: u128 | AnyNumber | Uint8Array) => Observable>, + [u128] + > & + QueryableStorageEntry; + /** + * Reverse mapping of AssetsById. Mapping from a foreign asset to an asset id. This is mostly + * used when receiving a multilocation XCM message to retrieve the corresponding asset in + * which tokens should me minted. + */ + assetsByLocation: AugmentedQuery< + ApiType, + ( + arg: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => Observable>>, + [StagingXcmV4Location] + > & + QueryableStorageEntry; + /** Counter for the related counted storage map */ + counterForAssetsById: AugmentedQuery Observable, []> & + QueryableStorageEntry; + /** Generic query */ + [key: string]: QueryableStorageEntry; + }; identity: { /** * Reverse lookup from `username` to the `AccountId` that has registered it. The value should @@ -885,10 +905,17 @@ declare module "@polkadot/api-base/types/storage" { [] > & QueryableStorageEntry; - /** Parachain bond config info { account, percent_of_inflation } */ - parachainBondInfo: AugmentedQuery< + /** + * Inflation distribution configuration, including accounts that should receive inflation + * before it is distributed to collators and delegators. + * + * The sum of the distribution percents must be less than or equal to 100. + * + * The first config is related to the parachain bond account, the second to the treasury account. + */ + inflationDistributionInfo: AugmentedQuery< ApiType, - () => Observable, + () => Observable>, [] > & QueryableStorageEntry; @@ -1762,6 +1789,22 @@ declare module "@polkadot/api-base/types/storage" { /** Generic query */ [key: string]: QueryableStorageEntry; }; + xcmWeightTrader: { + /** + * Stores all supported assets per XCM Location. The u128 is the asset price relative to + * native asset with 18 decimals The boolean specify if the support for this asset is active + */ + supportedAssets: AugmentedQuery< + ApiType, + ( + arg: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => Observable>>, + [StagingXcmV4Location] + > & + QueryableStorageEntry; + /** Generic query */ + [key: string]: QueryableStorageEntry; + }; xTokens: { /** Generic query */ [key: string]: QueryableStorageEntry; diff --git a/typescript-api/src/moonriver/interfaces/augment-api-tx.ts b/typescript-api/src/moonriver/interfaces/augment-api-tx.ts index 70ca14c2fb..1bd671c47d 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-tx.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-tx.ts @@ -132,22 +132,6 @@ declare module "@polkadot/api-base/types/submittable" { ) => SubmittableExtrinsic, [u128, u32] >; - removeSupportedAsset: AugmentedSubmittable< - ( - assetType: MoonriverRuntimeXcmConfigAssetType | { Xcm: any } | string | Uint8Array, - numAssetsWeightHint: u32 | AnyNumber | Uint8Array - ) => SubmittableExtrinsic, - [MoonriverRuntimeXcmConfigAssetType, u32] - >; - /** Change the amount of units we are charging per execution second for a given ForeignAssetType */ - setAssetUnitsPerSecond: AugmentedSubmittable< - ( - assetType: MoonriverRuntimeXcmConfigAssetType | { Xcm: any } | string | Uint8Array, - unitsPerSecond: u128 | AnyNumber | Uint8Array, - numAssetsWeightHint: u32 | AnyNumber | Uint8Array - ) => SubmittableExtrinsic, - [MoonriverRuntimeXcmConfigAssetType, u128, u32] - >; /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; @@ -1315,6 +1299,17 @@ declare module "@polkadot/api-base/types/submittable" { /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; + emergencyParaXcm: { + /** Authorize a runtime upgrade. Only callable in `Paused` mode */ + fastAuthorizeUpgrade: AugmentedSubmittable< + (codeHash: H256 | string | Uint8Array) => SubmittableExtrinsic, + [H256] + >; + /** Resume `Normal` mode */ + pausedToNormal: AugmentedSubmittable<() => SubmittableExtrinsic, []>; + /** Generic tx */ + [key: string]: SubmittableExtrinsicFunction; + }; ethereum: { /** Transact an Ethereum transaction. */ transact: AugmentedSubmittable< @@ -1479,6 +1474,53 @@ declare module "@polkadot/api-base/types/submittable" { /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; + evmForeignAssets: { + /** + * Change the xcm type mapping for a given assetId We also change this if the previous units + * per second where pointing at the old assetType + */ + changeXcmLocation: AugmentedSubmittable< + ( + assetId: u128 | AnyNumber | Uint8Array, + newXcmLocation: + | StagingXcmV4Location + | { parents?: any; interior?: any } + | string + | Uint8Array + ) => SubmittableExtrinsic, + [u128, StagingXcmV4Location] + >; + /** Create new asset with the ForeignAssetCreator */ + createForeignAsset: AugmentedSubmittable< + ( + assetId: u128 | AnyNumber | Uint8Array, + xcmLocation: + | StagingXcmV4Location + | { parents?: any; interior?: any } + | string + | Uint8Array, + decimals: u8 | AnyNumber | Uint8Array, + symbol: Bytes | string | Uint8Array, + name: Bytes | string | Uint8Array + ) => SubmittableExtrinsic, + [u128, StagingXcmV4Location, u8, Bytes, Bytes] + >; + /** Freeze a given foreign assetId */ + freezeForeignAsset: AugmentedSubmittable< + ( + assetId: u128 | AnyNumber | Uint8Array, + allowXcmDeposit: bool | boolean | Uint8Array + ) => SubmittableExtrinsic, + [u128, bool] + >; + /** Unfreeze a given foreign assetId */ + unfreezeForeignAsset: AugmentedSubmittable< + (assetId: u128 | AnyNumber | Uint8Array) => SubmittableExtrinsic, + [u128] + >; + /** Generic tx */ + [key: string]: SubmittableExtrinsicFunction; + }; identity: { /** * Accept a given username that an `authority` granted. The call must include the full @@ -1935,6 +1977,10 @@ declare module "@polkadot/api-base/types/submittable" { ) => SubmittableExtrinsic, [Vec, u32] >; + createContractMetadata: AugmentedSubmittable< + (address: H160 | string | Uint8Array) => SubmittableExtrinsic, + [H160] + >; /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; @@ -2511,12 +2557,25 @@ declare module "@polkadot/api-base/types/submittable" { } & Struct ] >; - /** Set the account that will hold funds set aside for parachain bond */ + /** Set the percent of inflation set aside for parachain bond */ + setInflationDistributionConfig: AugmentedSubmittable< + (updated: Vec) => SubmittableExtrinsic, + [Vec] + >; + /** + * Deprecated: please use `set_inflation_distribution_config` instead. + * + * Set the account that will hold funds set aside for parachain bond + */ setParachainBondAccount: AugmentedSubmittable< (updated: AccountId20 | string | Uint8Array) => SubmittableExtrinsic, [AccountId20] >; - /** Set the percent of inflation set aside for parachain bond */ + /** + * Deprecated: please use `set_inflation_distribution_config` instead. + * + * Set the percent of inflation set aside for parachain bond + */ setParachainBondReservePercent: AugmentedSubmittable< (updated: Percent | AnyNumber | Uint8Array) => SubmittableExtrinsic, [Percent] @@ -4723,6 +4782,42 @@ declare module "@polkadot/api-base/types/submittable" { /** Generic tx */ [key: string]: SubmittableExtrinsicFunction; }; + xcmWeightTrader: { + addAsset: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array, + relativePrice: u128 | AnyNumber | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location, u128] + >; + editAsset: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array, + relativePrice: u128 | AnyNumber | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location, u128] + >; + pauseAssetSupport: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location] + >; + removeAsset: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location] + >; + resumeAssetSupport: AugmentedSubmittable< + ( + location: StagingXcmV4Location | { parents?: any; interior?: any } | string | Uint8Array + ) => SubmittableExtrinsic, + [StagingXcmV4Location] + >; + /** Generic tx */ + [key: string]: SubmittableExtrinsicFunction; + }; xTokens: { /** * Transfer native currencies. diff --git a/typescript-api/src/moonriver/interfaces/empty/index.ts b/typescript-api/src/moonriver/interfaces/empty/index.ts new file mode 100644 index 0000000000..58fa3ba837 --- /dev/null +++ b/typescript-api/src/moonriver/interfaces/empty/index.ts @@ -0,0 +1,4 @@ +// Auto-generated via `yarn polkadot-types-from-defs`, do not edit +/* eslint-disable */ + +export * from "./types.js"; diff --git a/typescript-api/src/moonriver/interfaces/empty/types.ts b/typescript-api/src/moonriver/interfaces/empty/types.ts new file mode 100644 index 0000000000..878e1e9ec1 --- /dev/null +++ b/typescript-api/src/moonriver/interfaces/empty/types.ts @@ -0,0 +1,4 @@ +// Auto-generated via `yarn polkadot-types-from-defs`, do not edit +/* eslint-disable */ + +export type PHANTOM_EMPTY = "empty"; diff --git a/typescript-api/src/moonriver/interfaces/lookup.ts b/typescript-api/src/moonriver/interfaces/lookup.ts index da795dbd24..c4f1bb30dd 100644 --- a/typescript-api/src/moonriver/interfaces/lookup.ts +++ b/typescript-api/src/moonriver/interfaces/lookup.ts @@ -405,23 +405,17 @@ export default { account: "AccountId20", rewards: "u128", }, - ReservedForParachainBond: { + InflationDistributed: { + index: "u32", account: "AccountId20", value: "u128", }, - ParachainBondAccountSet: { + InflationDistributionConfigUpdated: { _alias: { new_: "new", }, - old: "AccountId20", - new_: "AccountId20", - }, - ParachainBondReservePercentSet: { - _alias: { - new_: "new", - }, - old: "Percent", - new_: "Percent", + old: "[Lookup44;2]", + new_: "[Lookup44;2]", }, InflationSet: { annualMin: "Perbill", @@ -495,13 +489,21 @@ export default { AddedToBottom: "Null", }, }, - /** Lookup44: pallet_author_slot_filter::pallet::Event */ + /** + * Lookup44: + * pallet_parachain_staking::types::InflationDistributionAccount[account::AccountId20](account::AccountId20) + */ + PalletParachainStakingInflationDistributionAccount: { + account: "AccountId20", + percent: "Percent", + }, + /** Lookup46: pallet_author_slot_filter::pallet::Event */ PalletAuthorSlotFilterEvent: { _enum: { EligibleUpdated: "u32", }, }, - /** Lookup46: pallet_author_mapping::pallet::Event */ + /** Lookup48: pallet_author_mapping::pallet::Event */ PalletAuthorMappingEvent: { _enum: { KeysRegistered: { @@ -527,11 +529,11 @@ export default { }, }, }, - /** Lookup47: nimbus_primitives::nimbus_crypto::Public */ + /** Lookup49: nimbus_primitives::nimbus_crypto::Public */ NimbusPrimitivesNimbusCryptoPublic: "[u8;32]", - /** Lookup48: session_keys_primitives::vrf::vrf_crypto::Public */ + /** Lookup50: session_keys_primitives::vrf::vrf_crypto::Public */ SessionKeysPrimitivesVrfVrfCryptoPublic: "[u8;32]", - /** Lookup49: pallet_moonbeam_orbiters::pallet::Event */ + /** Lookup51: pallet_moonbeam_orbiters::pallet::Event */ PalletMoonbeamOrbitersEvent: { _enum: { OrbiterJoinCollatorPool: { @@ -560,7 +562,7 @@ export default { }, }, }, - /** Lookup51: pallet_utility::pallet::Event */ + /** Lookup53: pallet_utility::pallet::Event */ PalletUtilityEvent: { _enum: { BatchInterrupted: { @@ -578,7 +580,7 @@ export default { }, }, }, - /** Lookup54: pallet_proxy::pallet::Event */ + /** Lookup56: pallet_proxy::pallet::Event */ PalletProxyEvent: { _enum: { ProxyExecuted: { @@ -609,7 +611,7 @@ export default { }, }, }, - /** Lookup55: moonriver_runtime::ProxyType */ + /** Lookup57: moonriver_runtime::ProxyType */ MoonriverRuntimeProxyType: { _enum: [ "Any", @@ -622,7 +624,7 @@ export default { "IdentityJudgement", ], }, - /** Lookup57: pallet_maintenance_mode::pallet::Event */ + /** Lookup59: pallet_maintenance_mode::pallet::Event */ PalletMaintenanceModeEvent: { _enum: { EnteredMaintenanceMode: "Null", @@ -635,7 +637,7 @@ export default { }, }, }, - /** Lookup58: pallet_identity::pallet::Event */ + /** Lookup60: pallet_identity::pallet::Event */ PalletIdentityEvent: { _enum: { IdentitySet: { @@ -707,7 +709,7 @@ export default { }, }, }, - /** Lookup60: pallet_migrations::pallet::Event */ + /** Lookup62: pallet_migrations::pallet::Event */ PalletMigrationsEvent: { _enum: { RuntimeUpgradeStarted: "Null", @@ -729,7 +731,7 @@ export default { }, }, }, - /** Lookup61: pallet_multisig::pallet::Event */ + /** Lookup63: pallet_multisig::pallet::Event */ PalletMultisigEvent: { _enum: { NewMultisig: { @@ -758,12 +760,12 @@ export default { }, }, }, - /** Lookup62: pallet_multisig::Timepoint */ + /** Lookup64: pallet_multisig::Timepoint */ PalletMultisigTimepoint: { height: "u32", index: "u32", }, - /** Lookup63: pallet_evm::pallet::Event */ + /** Lookup65: pallet_evm::pallet::Event */ PalletEvmEvent: { _enum: { Log: { @@ -783,13 +785,13 @@ export default { }, }, }, - /** Lookup64: ethereum::log::Log */ + /** Lookup66: ethereum::log::Log */ EthereumLog: { address: "H160", topics: "Vec", data: "Bytes", }, - /** Lookup67: pallet_ethereum::pallet::Event */ + /** Lookup69: pallet_ethereum::pallet::Event */ PalletEthereumEvent: { _enum: { Executed: { @@ -801,7 +803,7 @@ export default { }, }, }, - /** Lookup68: evm_core::error::ExitReason */ + /** Lookup70: evm_core::error::ExitReason */ EvmCoreErrorExitReason: { _enum: { Succeed: "EvmCoreErrorExitSucceed", @@ -810,11 +812,11 @@ export default { Fatal: "EvmCoreErrorExitFatal", }, }, - /** Lookup69: evm_core::error::ExitSucceed */ + /** Lookup71: evm_core::error::ExitSucceed */ EvmCoreErrorExitSucceed: { _enum: ["Stopped", "Returned", "Suicided"], }, - /** Lookup70: evm_core::error::ExitError */ + /** Lookup72: evm_core::error::ExitError */ EvmCoreErrorExitError: { _enum: { StackUnderflow: "Null", @@ -835,11 +837,11 @@ export default { InvalidCode: "u8", }, }, - /** Lookup74: evm_core::error::ExitRevert */ + /** Lookup76: evm_core::error::ExitRevert */ EvmCoreErrorExitRevert: { _enum: ["Reverted"], }, - /** Lookup75: evm_core::error::ExitFatal */ + /** Lookup77: evm_core::error::ExitFatal */ EvmCoreErrorExitFatal: { _enum: { NotSupported: "Null", @@ -848,7 +850,7 @@ export default { Other: "Text", }, }, - /** Lookup76: pallet_scheduler::pallet::Event */ + /** Lookup78: pallet_scheduler::pallet::Event */ PalletSchedulerEvent: { _enum: { Scheduled: { @@ -892,7 +894,7 @@ export default { }, }, }, - /** Lookup78: pallet_preimage::pallet::Event */ + /** Lookup80: pallet_preimage::pallet::Event */ PalletPreimageEvent: { _enum: { Noted: { @@ -915,14 +917,14 @@ export default { }, }, }, - /** Lookup79: pallet_conviction_voting::pallet::Event */ + /** Lookup81: pallet_conviction_voting::pallet::Event */ PalletConvictionVotingEvent: { _enum: { Delegated: "(AccountId20,AccountId20)", Undelegated: "AccountId20", }, }, - /** Lookup80: pallet_referenda::pallet::Event */ + /** Lookup82: pallet_referenda::pallet::Event */ PalletReferendaEvent: { _enum: { Submitted: { @@ -1001,7 +1003,7 @@ export default { }, }, /** - * Lookup81: frame_support::traits::preimages::Bounded */ FrameSupportPreimagesBounded: { @@ -1022,7 +1024,7 @@ export default { }, }, }, - /** Lookup83: frame_system::pallet::Call */ + /** Lookup85: frame_system::pallet::Call */ FrameSystemCall: { _enum: { remark: { @@ -1065,7 +1067,7 @@ export default { }, }, }, - /** Lookup87: cumulus_pallet_parachain_system::pallet::Call */ + /** Lookup89: cumulus_pallet_parachain_system::pallet::Call */ CumulusPalletParachainSystemCall: { _enum: { set_validation_data: { @@ -1083,35 +1085,35 @@ export default { }, }, }, - /** Lookup88: cumulus_primitives_parachain_inherent::ParachainInherentData */ + /** Lookup90: cumulus_primitives_parachain_inherent::ParachainInherentData */ CumulusPrimitivesParachainInherentParachainInherentData: { validationData: "PolkadotPrimitivesV7PersistedValidationData", relayChainState: "SpTrieStorageProof", downwardMessages: "Vec", horizontalMessages: "BTreeMap>", }, - /** Lookup89: polkadot_primitives::v7::PersistedValidationData */ + /** Lookup91: polkadot_primitives::v7::PersistedValidationData */ PolkadotPrimitivesV7PersistedValidationData: { parentHead: "Bytes", relayParentNumber: "u32", relayParentStorageRoot: "H256", maxPovSize: "u32", }, - /** Lookup91: sp_trie::storage_proof::StorageProof */ + /** Lookup93: sp_trie::storage_proof::StorageProof */ SpTrieStorageProof: { trieNodes: "BTreeSet", }, - /** Lookup94: polkadot_core_primitives::InboundDownwardMessage */ + /** Lookup96: polkadot_core_primitives::InboundDownwardMessage */ PolkadotCorePrimitivesInboundDownwardMessage: { sentAt: "u32", msg: "Bytes", }, - /** Lookup98: polkadot_core_primitives::InboundHrmpMessage */ + /** Lookup100: polkadot_core_primitives::InboundHrmpMessage */ PolkadotCorePrimitivesInboundHrmpMessage: { sentAt: "u32", data: "Bytes", }, - /** Lookup101: pallet_timestamp::pallet::Call */ + /** Lookup103: pallet_timestamp::pallet::Call */ PalletTimestampCall: { _enum: { set: { @@ -1119,7 +1121,7 @@ export default { }, }, }, - /** Lookup102: pallet_root_testing::pallet::Call */ + /** Lookup104: pallet_root_testing::pallet::Call */ PalletRootTestingCall: { _enum: { fill_block: { @@ -1128,7 +1130,7 @@ export default { trigger_defensive: "Null", }, }, - /** Lookup103: pallet_balances::pallet::Call */ + /** Lookup105: pallet_balances::pallet::Call */ PalletBalancesCall: { _enum: { transfer_allow_death: { @@ -1167,11 +1169,11 @@ export default { }, }, }, - /** Lookup106: pallet_balances::types::AdjustmentDirection */ + /** Lookup108: pallet_balances::types::AdjustmentDirection */ PalletBalancesAdjustmentDirection: { _enum: ["Increase", "Decrease"], }, - /** Lookup107: pallet_parachain_staking::pallet::Call */ + /** Lookup109: pallet_parachain_staking::pallet::Call */ PalletParachainStakingCall: { _enum: { set_staking_expectations: { @@ -1299,13 +1301,19 @@ export default { bond: "u128", candidateCount: "u32", }, + set_inflation_distribution_config: { + _alias: { + new_: "new", + }, + new_: "[Lookup44;2]", + }, }, }, - /** Lookup110: pallet_author_inherent::pallet::Call */ + /** Lookup112: pallet_author_inherent::pallet::Call */ PalletAuthorInherentCall: { _enum: ["kick_off_authorship_validation"], }, - /** Lookup111: pallet_author_slot_filter::pallet::Call */ + /** Lookup113: pallet_author_slot_filter::pallet::Call */ PalletAuthorSlotFilterCall: { _enum: { set_eligible: { @@ -1316,7 +1324,7 @@ export default { }, }, }, - /** Lookup112: pallet_author_mapping::pallet::Call */ + /** Lookup114: pallet_author_mapping::pallet::Call */ PalletAuthorMappingCall: { _enum: { add_association: { @@ -1338,7 +1346,7 @@ export default { }, }, }, - /** Lookup113: pallet_moonbeam_orbiters::pallet::Call */ + /** Lookup115: pallet_moonbeam_orbiters::pallet::Call */ PalletMoonbeamOrbitersCall: { _enum: { collator_add_orbiter: { @@ -1362,7 +1370,7 @@ export default { }, }, }, - /** Lookup114: pallet_utility::pallet::Call */ + /** Lookup116: pallet_utility::pallet::Call */ PalletUtilityCall: { _enum: { batch: { @@ -1388,7 +1396,7 @@ export default { }, }, }, - /** Lookup116: moonriver_runtime::OriginCaller */ + /** Lookup118: moonriver_runtime::OriginCaller */ MoonriverRuntimeOriginCaller: { _enum: { system: "FrameSupportDispatchRawOrigin", @@ -1503,7 +1511,7 @@ export default { EthereumXcm: "PalletEthereumXcmRawOrigin", }, }, - /** Lookup117: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ + /** Lookup119: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ FrameSupportDispatchRawOrigin: { _enum: { Root: "Null", @@ -1511,13 +1519,13 @@ export default { None: "Null", }, }, - /** Lookup118: pallet_ethereum::RawOrigin */ + /** Lookup120: pallet_ethereum::RawOrigin */ PalletEthereumRawOrigin: { _enum: { EthereumTransaction: "H160", }, }, - /** Lookup119: moonriver_runtime::governance::origins::custom_origins::Origin */ + /** Lookup121: moonriver_runtime::governance::origins::custom_origins::Origin */ MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin: { _enum: [ "WhitelistedCaller", @@ -1527,7 +1535,7 @@ export default { "FastGeneralAdmin", ], }, - /** Lookup120: pallet_collective::RawOrigin */ + /** Lookup122: pallet_collective::RawOrigin */ PalletCollectiveRawOrigin: { _enum: { Members: "(u32,u32)", @@ -1535,40 +1543,40 @@ export default { _Phantom: "Null", }, }, - /** Lookup122: cumulus_pallet_xcm::pallet::Origin */ + /** Lookup124: cumulus_pallet_xcm::pallet::Origin */ CumulusPalletXcmOrigin: { _enum: { Relay: "Null", SiblingParachain: "u32", }, }, - /** Lookup123: pallet_xcm::pallet::Origin */ + /** Lookup125: pallet_xcm::pallet::Origin */ PalletXcmOrigin: { _enum: { Xcm: "StagingXcmV4Location", Response: "StagingXcmV4Location", }, }, - /** Lookup124: staging_xcm::v4::location::Location */ + /** Lookup126: staging_xcm::v4::location::Location */ StagingXcmV4Location: { parents: "u8", interior: "StagingXcmV4Junctions", }, - /** Lookup125: staging_xcm::v4::junctions::Junctions */ + /** Lookup127: staging_xcm::v4::junctions::Junctions */ StagingXcmV4Junctions: { _enum: { Here: "Null", - X1: "[Lookup127;1]", - X2: "[Lookup127;2]", - X3: "[Lookup127;3]", - X4: "[Lookup127;4]", - X5: "[Lookup127;5]", - X6: "[Lookup127;6]", - X7: "[Lookup127;7]", - X8: "[Lookup127;8]", + X1: "[Lookup129;1]", + X2: "[Lookup129;2]", + X3: "[Lookup129;3]", + X4: "[Lookup129;4]", + X5: "[Lookup129;5]", + X6: "[Lookup129;6]", + X7: "[Lookup129;7]", + X8: "[Lookup129;8]", }, }, - /** Lookup127: staging_xcm::v4::junction::Junction */ + /** Lookup129: staging_xcm::v4::junction::Junction */ StagingXcmV4Junction: { _enum: { Parachain: "Compact", @@ -1598,7 +1606,7 @@ export default { GlobalConsensus: "StagingXcmV4JunctionNetworkId", }, }, - /** Lookup130: staging_xcm::v4::junction::NetworkId */ + /** Lookup132: staging_xcm::v4::junction::NetworkId */ StagingXcmV4JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1619,7 +1627,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup131: xcm::v3::junction::BodyId */ + /** Lookup133: xcm::v3::junction::BodyId */ XcmV3JunctionBodyId: { _enum: { Unit: "Null", @@ -1634,7 +1642,7 @@ export default { Treasury: "Null", }, }, - /** Lookup132: xcm::v3::junction::BodyPart */ + /** Lookup134: xcm::v3::junction::BodyPart */ XcmV3JunctionBodyPart: { _enum: { Voice: "Null", @@ -1655,15 +1663,15 @@ export default { }, }, }, - /** Lookup140: pallet_ethereum_xcm::RawOrigin */ + /** Lookup142: pallet_ethereum_xcm::RawOrigin */ PalletEthereumXcmRawOrigin: { _enum: { XcmEthereumTransaction: "H160", }, }, - /** Lookup141: sp_core::Void */ + /** Lookup143: sp_core::Void */ SpCoreVoid: "Null", - /** Lookup142: pallet_proxy::pallet::Call */ + /** Lookup144: pallet_proxy::pallet::Call */ PalletProxyCall: { _enum: { proxy: { @@ -1714,11 +1722,11 @@ export default { }, }, }, - /** Lookup144: pallet_maintenance_mode::pallet::Call */ + /** Lookup146: pallet_maintenance_mode::pallet::Call */ PalletMaintenanceModeCall: { _enum: ["enter_maintenance_mode", "resume_normal_operation"], }, - /** Lookup145: pallet_identity::pallet::Call */ + /** Lookup147: pallet_identity::pallet::Call */ PalletIdentityCall: { _enum: { add_registrar: { @@ -1801,7 +1809,7 @@ export default { }, }, }, - /** Lookup146: pallet_identity::legacy::IdentityInfo */ + /** Lookup148: pallet_identity::legacy::IdentityInfo */ PalletIdentityLegacyIdentityInfo: { additional: "Vec<(Data,Data)>", display: "Data", @@ -1813,7 +1821,7 @@ export default { image: "Data", twitter: "Data", }, - /** Lookup184: pallet_identity::types::Judgement */ + /** Lookup186: pallet_identity::types::Judgement */ PalletIdentityJudgement: { _enum: { Unknown: "Null", @@ -1825,9 +1833,9 @@ export default { Erroneous: "Null", }, }, - /** Lookup186: account::EthereumSignature */ + /** Lookup188: account::EthereumSignature */ AccountEthereumSignature: "[u8;65]", - /** Lookup188: pallet_multisig::pallet::Call */ + /** Lookup190: pallet_multisig::pallet::Call */ PalletMultisigCall: { _enum: { as_multi_threshold_1: { @@ -1856,7 +1864,7 @@ export default { }, }, }, - /** Lookup190: pallet_moonbeam_lazy_migrations::pallet::Call */ + /** Lookup192: pallet_moonbeam_lazy_migrations::pallet::Call */ PalletMoonbeamLazyMigrationsCall: { _enum: { __Unused0: "Null", @@ -1864,9 +1872,12 @@ export default { addresses: "Vec", limit: "u32", }, + create_contract_metadata: { + address: "H160", + }, }, }, - /** Lookup193: pallet_evm::pallet::Call */ + /** Lookup195: pallet_evm::pallet::Call */ PalletEvmCall: { _enum: { withdraw: { @@ -1907,7 +1918,7 @@ export default { }, }, }, - /** Lookup199: pallet_ethereum::pallet::Call */ + /** Lookup201: pallet_ethereum::pallet::Call */ PalletEthereumCall: { _enum: { transact: { @@ -1915,7 +1926,7 @@ export default { }, }, }, - /** Lookup200: ethereum::transaction::TransactionV2 */ + /** Lookup202: ethereum::transaction::TransactionV2 */ EthereumTransactionTransactionV2: { _enum: { Legacy: "EthereumTransactionLegacyTransaction", @@ -1923,7 +1934,7 @@ export default { EIP1559: "EthereumTransactionEip1559Transaction", }, }, - /** Lookup201: ethereum::transaction::LegacyTransaction */ + /** Lookup203: ethereum::transaction::LegacyTransaction */ EthereumTransactionLegacyTransaction: { nonce: "U256", gasPrice: "U256", @@ -1933,20 +1944,20 @@ export default { input: "Bytes", signature: "EthereumTransactionTransactionSignature", }, - /** Lookup202: ethereum::transaction::TransactionAction */ + /** Lookup204: ethereum::transaction::TransactionAction */ EthereumTransactionTransactionAction: { _enum: { Call: "H160", Create: "Null", }, }, - /** Lookup203: ethereum::transaction::TransactionSignature */ + /** Lookup205: ethereum::transaction::TransactionSignature */ EthereumTransactionTransactionSignature: { v: "u64", r: "H256", s: "H256", }, - /** Lookup205: ethereum::transaction::EIP2930Transaction */ + /** Lookup207: ethereum::transaction::EIP2930Transaction */ EthereumTransactionEip2930Transaction: { chainId: "u64", nonce: "U256", @@ -1960,12 +1971,12 @@ export default { r: "H256", s: "H256", }, - /** Lookup207: ethereum::transaction::AccessListItem */ + /** Lookup209: ethereum::transaction::AccessListItem */ EthereumTransactionAccessListItem: { address: "H160", storageKeys: "Vec", }, - /** Lookup208: ethereum::transaction::EIP1559Transaction */ + /** Lookup210: ethereum::transaction::EIP1559Transaction */ EthereumTransactionEip1559Transaction: { chainId: "u64", nonce: "U256", @@ -1980,7 +1991,7 @@ export default { r: "H256", s: "H256", }, - /** Lookup209: pallet_scheduler::pallet::Call */ + /** Lookup211: pallet_scheduler::pallet::Call */ PalletSchedulerCall: { _enum: { schedule: { @@ -2034,7 +2045,7 @@ export default { }, }, }, - /** Lookup211: pallet_preimage::pallet::Call */ + /** Lookup213: pallet_preimage::pallet::Call */ PalletPreimageCall: { _enum: { note_preimage: { @@ -2063,7 +2074,7 @@ export default { }, }, }, - /** Lookup212: pallet_conviction_voting::pallet::Call */ + /** Lookup214: pallet_conviction_voting::pallet::Call */ PalletConvictionVotingCall: { _enum: { vote: { @@ -2094,7 +2105,7 @@ export default { }, }, }, - /** Lookup213: pallet_conviction_voting::vote::AccountVote */ + /** Lookup215: pallet_conviction_voting::vote::AccountVote */ PalletConvictionVotingVoteAccountVote: { _enum: { Standard: { @@ -2112,11 +2123,11 @@ export default { }, }, }, - /** Lookup215: pallet_conviction_voting::conviction::Conviction */ + /** Lookup217: pallet_conviction_voting::conviction::Conviction */ PalletConvictionVotingConviction: { _enum: ["None", "Locked1x", "Locked2x", "Locked3x", "Locked4x", "Locked5x", "Locked6x"], }, - /** Lookup217: pallet_referenda::pallet::Call */ + /** Lookup219: pallet_referenda::pallet::Call */ PalletReferendaCall: { _enum: { submit: { @@ -2151,14 +2162,14 @@ export default { }, }, }, - /** Lookup218: frame_support::traits::schedule::DispatchTime */ + /** Lookup220: frame_support::traits::schedule::DispatchTime */ FrameSupportScheduleDispatchTime: { _enum: { At: "u32", After: "u32", }, }, - /** Lookup220: pallet_whitelist::pallet::Call */ + /** Lookup222: pallet_whitelist::pallet::Call */ PalletWhitelistCall: { _enum: { whitelist_call: { @@ -2177,7 +2188,7 @@ export default { }, }, }, - /** Lookup221: pallet_collective::pallet::Call */ + /** Lookup223: pallet_collective::pallet::Call */ PalletCollectiveCall: { _enum: { set_members: { @@ -2211,7 +2222,7 @@ export default { }, }, }, - /** Lookup223: pallet_treasury::pallet::Call */ + /** Lookup225: pallet_treasury::pallet::Call */ PalletTreasuryCall: { _enum: { propose_spend: { @@ -2248,7 +2259,7 @@ export default { }, }, }, - /** Lookup225: pallet_crowdloan_rewards::pallet::Call */ + /** Lookup227: pallet_crowdloan_rewards::pallet::Call */ PalletCrowdloanRewardsCall: { _enum: { associate_native_identity: { @@ -2273,7 +2284,7 @@ export default { }, }, }, - /** Lookup226: sp_runtime::MultiSignature */ + /** Lookup228: sp_runtime::MultiSignature */ SpRuntimeMultiSignature: { _enum: { Ed25519: "[u8;64]", @@ -2281,9 +2292,9 @@ export default { Ecdsa: "[u8;65]", }, }, - /** Lookup232: cumulus_pallet_dmp_queue::pallet::Call */ + /** Lookup234: cumulus_pallet_dmp_queue::pallet::Call */ CumulusPalletDmpQueueCall: "Null", - /** Lookup233: pallet_xcm::pallet::Call */ + /** Lookup235: pallet_xcm::pallet::Call */ PalletXcmCall: { _enum: { send: { @@ -2358,7 +2369,7 @@ export default { }, }, }, - /** Lookup234: xcm::VersionedLocation */ + /** Lookup236: xcm::VersionedLocation */ XcmVersionedLocation: { _enum: { __Unused0: "Null", @@ -2368,12 +2379,12 @@ export default { V4: "StagingXcmV4Location", }, }, - /** Lookup235: xcm::v2::multilocation::MultiLocation */ + /** Lookup237: xcm::v2::multilocation::MultiLocation */ XcmV2MultiLocation: { parents: "u8", interior: "XcmV2MultilocationJunctions", }, - /** Lookup236: xcm::v2::multilocation::Junctions */ + /** Lookup238: xcm::v2::multilocation::Junctions */ XcmV2MultilocationJunctions: { _enum: { Here: "Null", @@ -2387,7 +2398,7 @@ export default { X8: "(XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction)", }, }, - /** Lookup237: xcm::v2::junction::Junction */ + /** Lookup239: xcm::v2::junction::Junction */ XcmV2Junction: { _enum: { Parachain: "Compact", @@ -2413,7 +2424,7 @@ export default { }, }, }, - /** Lookup238: xcm::v2::NetworkId */ + /** Lookup240: xcm::v2::NetworkId */ XcmV2NetworkId: { _enum: { Any: "Null", @@ -2422,7 +2433,7 @@ export default { Kusama: "Null", }, }, - /** Lookup240: xcm::v2::BodyId */ + /** Lookup242: xcm::v2::BodyId */ XcmV2BodyId: { _enum: { Unit: "Null", @@ -2437,7 +2448,7 @@ export default { Treasury: "Null", }, }, - /** Lookup241: xcm::v2::BodyPart */ + /** Lookup243: xcm::v2::BodyPart */ XcmV2BodyPart: { _enum: { Voice: "Null", @@ -2458,12 +2469,12 @@ export default { }, }, }, - /** Lookup242: staging_xcm::v3::multilocation::MultiLocation */ + /** Lookup244: staging_xcm::v3::multilocation::MultiLocation */ StagingXcmV3MultiLocation: { parents: "u8", interior: "XcmV3Junctions", }, - /** Lookup243: xcm::v3::junctions::Junctions */ + /** Lookup245: xcm::v3::junctions::Junctions */ XcmV3Junctions: { _enum: { Here: "Null", @@ -2477,7 +2488,7 @@ export default { X8: "(XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction)", }, }, - /** Lookup244: xcm::v3::junction::Junction */ + /** Lookup246: xcm::v3::junction::Junction */ XcmV3Junction: { _enum: { Parachain: "Compact", @@ -2507,7 +2518,7 @@ export default { GlobalConsensus: "XcmV3JunctionNetworkId", }, }, - /** Lookup246: xcm::v3::junction::NetworkId */ + /** Lookup248: xcm::v3::junction::NetworkId */ XcmV3JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -2528,7 +2539,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup247: xcm::VersionedXcm */ + /** Lookup249: xcm::VersionedXcm */ XcmVersionedXcm: { _enum: { __Unused0: "Null", @@ -2538,9 +2549,9 @@ export default { V4: "StagingXcmV4Xcm", }, }, - /** Lookup248: xcm::v2::Xcm */ + /** Lookup250: xcm::v2::Xcm */ XcmV2Xcm: "Vec", - /** Lookup250: xcm::v2::Instruction */ + /** Lookup252: xcm::v2::Instruction */ XcmV2Instruction: { _enum: { WithdrawAsset: "XcmV2MultiassetMultiAssets", @@ -2636,28 +2647,28 @@ export default { UnsubscribeVersion: "Null", }, }, - /** Lookup251: xcm::v2::multiasset::MultiAssets */ + /** Lookup253: xcm::v2::multiasset::MultiAssets */ XcmV2MultiassetMultiAssets: "Vec", - /** Lookup253: xcm::v2::multiasset::MultiAsset */ + /** Lookup255: xcm::v2::multiasset::MultiAsset */ XcmV2MultiAsset: { id: "XcmV2MultiassetAssetId", fun: "XcmV2MultiassetFungibility", }, - /** Lookup254: xcm::v2::multiasset::AssetId */ + /** Lookup256: xcm::v2::multiasset::AssetId */ XcmV2MultiassetAssetId: { _enum: { Concrete: "XcmV2MultiLocation", Abstract: "Bytes", }, }, - /** Lookup255: xcm::v2::multiasset::Fungibility */ + /** Lookup257: xcm::v2::multiasset::Fungibility */ XcmV2MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV2MultiassetAssetInstance", }, }, - /** Lookup256: xcm::v2::multiasset::AssetInstance */ + /** Lookup258: xcm::v2::multiasset::AssetInstance */ XcmV2MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2669,7 +2680,7 @@ export default { Blob: "Bytes", }, }, - /** Lookup257: xcm::v2::Response */ + /** Lookup259: xcm::v2::Response */ XcmV2Response: { _enum: { Null: "Null", @@ -2678,7 +2689,7 @@ export default { Version: "u32", }, }, - /** Lookup260: xcm::v2::traits::Error */ + /** Lookup262: xcm::v2::traits::Error */ XcmV2TraitsError: { _enum: { Overflow: "Null", @@ -2709,22 +2720,22 @@ export default { WeightNotComputable: "Null", }, }, - /** Lookup261: xcm::v2::OriginKind */ + /** Lookup263: xcm::v2::OriginKind */ XcmV2OriginKind: { _enum: ["Native", "SovereignAccount", "Superuser", "Xcm"], }, - /** Lookup262: xcm::double_encoded::DoubleEncoded */ + /** Lookup264: xcm::double_encoded::DoubleEncoded */ XcmDoubleEncoded: { encoded: "Bytes", }, - /** Lookup263: xcm::v2::multiasset::MultiAssetFilter */ + /** Lookup265: xcm::v2::multiasset::MultiAssetFilter */ XcmV2MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV2MultiassetMultiAssets", Wild: "XcmV2MultiassetWildMultiAsset", }, }, - /** Lookup264: xcm::v2::multiasset::WildMultiAsset */ + /** Lookup266: xcm::v2::multiasset::WildMultiAsset */ XcmV2MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -2734,20 +2745,20 @@ export default { }, }, }, - /** Lookup265: xcm::v2::multiasset::WildFungibility */ + /** Lookup267: xcm::v2::multiasset::WildFungibility */ XcmV2MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup266: xcm::v2::WeightLimit */ + /** Lookup268: xcm::v2::WeightLimit */ XcmV2WeightLimit: { _enum: { Unlimited: "Null", Limited: "Compact", }, }, - /** Lookup267: xcm::v3::Xcm */ + /** Lookup269: xcm::v3::Xcm */ XcmV3Xcm: "Vec", - /** Lookup269: xcm::v3::Instruction */ + /** Lookup271: xcm::v3::Instruction */ XcmV3Instruction: { _enum: { WithdrawAsset: "XcmV3MultiassetMultiAssets", @@ -2887,28 +2898,28 @@ export default { }, }, }, - /** Lookup270: xcm::v3::multiasset::MultiAssets */ + /** Lookup272: xcm::v3::multiasset::MultiAssets */ XcmV3MultiassetMultiAssets: "Vec", - /** Lookup272: xcm::v3::multiasset::MultiAsset */ + /** Lookup274: xcm::v3::multiasset::MultiAsset */ XcmV3MultiAsset: { id: "XcmV3MultiassetAssetId", fun: "XcmV3MultiassetFungibility", }, - /** Lookup273: xcm::v3::multiasset::AssetId */ + /** Lookup275: xcm::v3::multiasset::AssetId */ XcmV3MultiassetAssetId: { _enum: { Concrete: "StagingXcmV3MultiLocation", Abstract: "[u8;32]", }, }, - /** Lookup274: xcm::v3::multiasset::Fungibility */ + /** Lookup276: xcm::v3::multiasset::Fungibility */ XcmV3MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV3MultiassetAssetInstance", }, }, - /** Lookup275: xcm::v3::multiasset::AssetInstance */ + /** Lookup277: xcm::v3::multiasset::AssetInstance */ XcmV3MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2919,7 +2930,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup276: xcm::v3::Response */ + /** Lookup278: xcm::v3::Response */ XcmV3Response: { _enum: { Null: "Null", @@ -2930,7 +2941,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup279: xcm::v3::traits::Error */ + /** Lookup281: xcm::v3::traits::Error */ XcmV3TraitsError: { _enum: { Overflow: "Null", @@ -2975,7 +2986,7 @@ export default { ExceedsStackLimit: "Null", }, }, - /** Lookup281: xcm::v3::PalletInfo */ + /** Lookup283: xcm::v3::PalletInfo */ XcmV3PalletInfo: { index: "Compact", name: "Bytes", @@ -2984,7 +2995,7 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup284: xcm::v3::MaybeErrorCode */ + /** Lookup286: xcm::v3::MaybeErrorCode */ XcmV3MaybeErrorCode: { _enum: { Success: "Null", @@ -2992,20 +3003,20 @@ export default { TruncatedError: "Bytes", }, }, - /** Lookup287: xcm::v3::QueryResponseInfo */ + /** Lookup289: xcm::v3::QueryResponseInfo */ XcmV3QueryResponseInfo: { destination: "StagingXcmV3MultiLocation", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup288: xcm::v3::multiasset::MultiAssetFilter */ + /** Lookup290: xcm::v3::multiasset::MultiAssetFilter */ XcmV3MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV3MultiassetMultiAssets", Wild: "XcmV3MultiassetWildMultiAsset", }, }, - /** Lookup289: xcm::v3::multiasset::WildMultiAsset */ + /** Lookup291: xcm::v3::multiasset::WildMultiAsset */ XcmV3MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3021,20 +3032,20 @@ export default { }, }, }, - /** Lookup290: xcm::v3::multiasset::WildFungibility */ + /** Lookup292: xcm::v3::multiasset::WildFungibility */ XcmV3MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup291: xcm::v3::WeightLimit */ + /** Lookup293: xcm::v3::WeightLimit */ XcmV3WeightLimit: { _enum: { Unlimited: "Null", Limited: "SpWeightsWeightV2Weight", }, }, - /** Lookup292: staging_xcm::v4::Xcm */ + /** Lookup294: staging_xcm::v4::Xcm */ StagingXcmV4Xcm: "Vec", - /** Lookup294: staging_xcm::v4::Instruction */ + /** Lookup296: staging_xcm::v4::Instruction */ StagingXcmV4Instruction: { _enum: { WithdrawAsset: "StagingXcmV4AssetAssets", @@ -3174,23 +3185,23 @@ export default { }, }, }, - /** Lookup295: staging_xcm::v4::asset::Assets */ + /** Lookup297: staging_xcm::v4::asset::Assets */ StagingXcmV4AssetAssets: "Vec", - /** Lookup297: staging_xcm::v4::asset::Asset */ + /** Lookup299: staging_xcm::v4::asset::Asset */ StagingXcmV4Asset: { id: "StagingXcmV4AssetAssetId", fun: "StagingXcmV4AssetFungibility", }, - /** Lookup298: staging_xcm::v4::asset::AssetId */ + /** Lookup300: staging_xcm::v4::asset::AssetId */ StagingXcmV4AssetAssetId: "StagingXcmV4Location", - /** Lookup299: staging_xcm::v4::asset::Fungibility */ + /** Lookup301: staging_xcm::v4::asset::Fungibility */ StagingXcmV4AssetFungibility: { _enum: { Fungible: "Compact", NonFungible: "StagingXcmV4AssetAssetInstance", }, }, - /** Lookup300: staging_xcm::v4::asset::AssetInstance */ + /** Lookup302: staging_xcm::v4::asset::AssetInstance */ StagingXcmV4AssetAssetInstance: { _enum: { Undefined: "Null", @@ -3201,7 +3212,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup301: staging_xcm::v4::Response */ + /** Lookup303: staging_xcm::v4::Response */ StagingXcmV4Response: { _enum: { Null: "Null", @@ -3212,7 +3223,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup303: staging_xcm::v4::PalletInfo */ + /** Lookup305: staging_xcm::v4::PalletInfo */ StagingXcmV4PalletInfo: { index: "Compact", name: "Bytes", @@ -3221,20 +3232,20 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup307: staging_xcm::v4::QueryResponseInfo */ + /** Lookup309: staging_xcm::v4::QueryResponseInfo */ StagingXcmV4QueryResponseInfo: { destination: "StagingXcmV4Location", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup308: staging_xcm::v4::asset::AssetFilter */ + /** Lookup310: staging_xcm::v4::asset::AssetFilter */ StagingXcmV4AssetAssetFilter: { _enum: { Definite: "StagingXcmV4AssetAssets", Wild: "StagingXcmV4AssetWildAsset", }, }, - /** Lookup309: staging_xcm::v4::asset::WildAsset */ + /** Lookup311: staging_xcm::v4::asset::WildAsset */ StagingXcmV4AssetWildAsset: { _enum: { All: "Null", @@ -3250,11 +3261,11 @@ export default { }, }, }, - /** Lookup310: staging_xcm::v4::asset::WildFungibility */ + /** Lookup312: staging_xcm::v4::asset::WildFungibility */ StagingXcmV4AssetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup311: xcm::VersionedAssets */ + /** Lookup313: xcm::VersionedAssets */ XcmVersionedAssets: { _enum: { __Unused0: "Null", @@ -3264,7 +3275,7 @@ export default { V4: "StagingXcmV4AssetAssets", }, }, - /** Lookup323: staging_xcm_executor::traits::asset_transfer::TransferType */ + /** Lookup325: staging_xcm_executor::traits::asset_transfer::TransferType */ StagingXcmExecutorAssetTransferTransferType: { _enum: { Teleport: "Null", @@ -3273,7 +3284,7 @@ export default { RemoteReserve: "XcmVersionedLocation", }, }, - /** Lookup324: xcm::VersionedAssetId */ + /** Lookup326: xcm::VersionedAssetId */ XcmVersionedAssetId: { _enum: { __Unused0: "Null", @@ -3283,7 +3294,7 @@ export default { V4: "StagingXcmV4AssetAssetId", }, }, - /** Lookup325: pallet_assets::pallet::Call */ + /** Lookup327: pallet_assets::pallet::Call */ PalletAssetsCall: { _enum: { create: { @@ -3433,7 +3444,7 @@ export default { }, }, }, - /** Lookup326: pallet_asset_manager::pallet::Call */ + /** Lookup328: pallet_asset_manager::pallet::Call */ PalletAssetManagerCall: { _enum: { register_foreign_asset: { @@ -3442,20 +3453,13 @@ export default { minAmount: "u128", isSufficient: "bool", }, - set_asset_units_per_second: { - assetType: "MoonriverRuntimeXcmConfigAssetType", - unitsPerSecond: "u128", - numAssetsWeightHint: "u32", - }, + __Unused1: "Null", change_existing_asset_type: { assetId: "u128", newAssetType: "MoonriverRuntimeXcmConfigAssetType", numAssetsWeightHint: "u32", }, - remove_supported_asset: { - assetType: "MoonriverRuntimeXcmConfigAssetType", - numAssetsWeightHint: "u32", - }, + __Unused3: "Null", remove_existing_asset_type: { assetId: "u128", numAssetsWeightHint: "u32", @@ -3467,20 +3471,20 @@ export default { }, }, }, - /** Lookup327: moonriver_runtime::xcm_config::AssetType */ + /** Lookup329: moonriver_runtime::xcm_config::AssetType */ MoonriverRuntimeXcmConfigAssetType: { _enum: { Xcm: "StagingXcmV3MultiLocation", }, }, - /** Lookup328: moonriver_runtime::asset_config::AssetRegistrarMetadata */ + /** Lookup330: moonriver_runtime::asset_config::AssetRegistrarMetadata */ MoonriverRuntimeAssetConfigAssetRegistrarMetadata: { name: "Bytes", symbol: "Bytes", decimals: "u8", isFrozen: "bool", }, - /** Lookup329: orml_xtokens::module::Call */ + /** Lookup331: orml_xtokens::module::Call */ OrmlXtokensModuleCall: { _enum: { transfer: { @@ -3521,7 +3525,7 @@ export default { }, }, }, - /** Lookup330: moonriver_runtime::xcm_config::CurrencyId */ + /** Lookup332: moonriver_runtime::xcm_config::CurrencyId */ MoonriverRuntimeXcmConfigCurrencyId: { _enum: { SelfReserve: "Null", @@ -3531,7 +3535,7 @@ export default { }, }, }, - /** Lookup331: xcm::VersionedAsset */ + /** Lookup333: xcm::VersionedAsset */ XcmVersionedAsset: { _enum: { __Unused0: "Null", @@ -3541,7 +3545,7 @@ export default { V4: "StagingXcmV4Asset", }, }, - /** Lookup334: pallet_xcm_transactor::pallet::Call */ + /** Lookup336: pallet_xcm_transactor::pallet::Call */ PalletXcmTransactorCall: { _enum: { register: { @@ -3598,28 +3602,28 @@ export default { }, }, }, - /** Lookup335: moonriver_runtime::xcm_config::Transactors */ + /** Lookup337: moonriver_runtime::xcm_config::Transactors */ MoonriverRuntimeXcmConfigTransactors: { _enum: ["Relay"], }, - /** Lookup336: pallet_xcm_transactor::pallet::CurrencyPayment */ + /** Lookup338: pallet_xcm_transactor::pallet::CurrencyPayment */ PalletXcmTransactorCurrencyPayment: { currency: "PalletXcmTransactorCurrency", feeAmount: "Option", }, - /** Lookup337: pallet_xcm_transactor::pallet::Currency */ + /** Lookup339: pallet_xcm_transactor::pallet::Currency */ PalletXcmTransactorCurrency: { _enum: { AsCurrencyId: "MoonriverRuntimeXcmConfigCurrencyId", AsMultiLocation: "XcmVersionedLocation", }, }, - /** Lookup339: pallet_xcm_transactor::pallet::TransactWeights */ + /** Lookup341: pallet_xcm_transactor::pallet::TransactWeights */ PalletXcmTransactorTransactWeights: { transactRequiredWeightAtMost: "SpWeightsWeightV2Weight", overallWeight: "Option", }, - /** Lookup342: pallet_xcm_transactor::pallet::HrmpOperation */ + /** Lookup344: pallet_xcm_transactor::pallet::HrmpOperation */ PalletXcmTransactorHrmpOperation: { _enum: { InitOpen: "PalletXcmTransactorHrmpInitParams", @@ -3633,18 +3637,18 @@ export default { }, }, }, - /** Lookup343: pallet_xcm_transactor::pallet::HrmpInitParams */ + /** Lookup345: pallet_xcm_transactor::pallet::HrmpInitParams */ PalletXcmTransactorHrmpInitParams: { paraId: "u32", proposedMaxCapacity: "u32", proposedMaxMessageSize: "u32", }, - /** Lookup344: polkadot_parachain_primitives::primitives::HrmpChannelId */ + /** Lookup346: polkadot_parachain_primitives::primitives::HrmpChannelId */ PolkadotParachainPrimitivesPrimitivesHrmpChannelId: { sender: "u32", recipient: "u32", }, - /** Lookup345: pallet_ethereum_xcm::pallet::Call */ + /** Lookup347: pallet_ethereum_xcm::pallet::Call */ PalletEthereumXcmCall: { _enum: { transact: { @@ -3663,14 +3667,14 @@ export default { }, }, }, - /** Lookup346: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ + /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ XcmPrimitivesEthereumXcmEthereumXcmTransaction: { _enum: { V1: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV1", V2: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV2", }, }, - /** Lookup347: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ + /** Lookup349: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV1: { gasLimit: "U256", feePayment: "XcmPrimitivesEthereumXcmEthereumXcmFee", @@ -3679,19 +3683,19 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmFee */ + /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmFee */ XcmPrimitivesEthereumXcmEthereumXcmFee: { _enum: { Manual: "XcmPrimitivesEthereumXcmManualEthereumXcmFee", Auto: "Null", }, }, - /** Lookup349: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ + /** Lookup351: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ XcmPrimitivesEthereumXcmManualEthereumXcmFee: { gasPrice: "Option", maxFeePerGas: "Option", }, - /** Lookup352: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ + /** Lookup354: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV2: { gasLimit: "U256", action: "EthereumTransactionTransactionAction", @@ -3699,7 +3703,7 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup354: pallet_message_queue::pallet::Call */ + /** Lookup356: pallet_message_queue::pallet::Call */ PalletMessageQueueCall: { _enum: { reap_page: { @@ -3714,7 +3718,7 @@ export default { }, }, }, - /** Lookup355: cumulus_primitives_core::AggregateMessageOrigin */ + /** Lookup357: cumulus_primitives_core::AggregateMessageOrigin */ CumulusPrimitivesCoreAggregateMessageOrigin: { _enum: { Here: "Null", @@ -3722,19 +3726,73 @@ export default { Sibling: "u32", }, }, - /** Lookup356: pallet_randomness::pallet::Call */ + /** Lookup358: pallet_moonbeam_foreign_assets::pallet::Call */ + PalletMoonbeamForeignAssetsCall: { + _enum: { + create_foreign_asset: { + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + decimals: "u8", + symbol: "Bytes", + name: "Bytes", + }, + change_xcm_location: { + assetId: "u128", + newXcmLocation: "StagingXcmV4Location", + }, + freeze_foreign_asset: { + assetId: "u128", + allowXcmDeposit: "bool", + }, + unfreeze_foreign_asset: { + assetId: "u128", + }, + }, + }, + /** Lookup360: pallet_xcm_weight_trader::pallet::Call */ + PalletXcmWeightTraderCall: { + _enum: { + add_asset: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + edit_asset: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + pause_asset_support: { + location: "StagingXcmV4Location", + }, + resume_asset_support: { + location: "StagingXcmV4Location", + }, + remove_asset: { + location: "StagingXcmV4Location", + }, + }, + }, + /** Lookup361: pallet_emergency_para_xcm::pallet::Call */ + PalletEmergencyParaXcmCall: { + _enum: { + paused_to_normal: "Null", + fast_authorize_upgrade: { + codeHash: "H256", + }, + }, + }, + /** Lookup362: pallet_randomness::pallet::Call */ PalletRandomnessCall: { _enum: ["set_babe_randomness_results"], }, - /** Lookup357: sp_runtime::traits::BlakeTwo256 */ + /** Lookup363: sp_runtime::traits::BlakeTwo256 */ SpRuntimeBlakeTwo256: "Null", - /** Lookup359: pallet_conviction_voting::types::Tally */ + /** Lookup365: pallet_conviction_voting::types::Tally */ PalletConvictionVotingTally: { ayes: "u128", nays: "u128", support: "u128", }, - /** Lookup360: pallet_whitelist::pallet::Event */ + /** Lookup366: pallet_whitelist::pallet::Event */ PalletWhitelistEvent: { _enum: { CallWhitelisted: { @@ -3749,17 +3807,17 @@ export default { }, }, }, - /** Lookup362: frame_support::dispatch::PostDispatchInfo */ + /** Lookup368: frame_support::dispatch::PostDispatchInfo */ FrameSupportDispatchPostDispatchInfo: { actualWeight: "Option", paysFee: "FrameSupportDispatchPays", }, - /** Lookup363: sp_runtime::DispatchErrorWithPostInfo */ + /** Lookup369: sp_runtime::DispatchErrorWithPostInfo */ SpRuntimeDispatchErrorWithPostInfo: { postInfo: "FrameSupportDispatchPostDispatchInfo", error: "SpRuntimeDispatchError", }, - /** Lookup364: pallet_collective::pallet::Event */ + /** Lookup370: pallet_collective::pallet::Event */ PalletCollectiveEvent: { _enum: { Proposed: { @@ -3796,7 +3854,7 @@ export default { }, }, }, - /** Lookup366: pallet_treasury::pallet::Event */ + /** Lookup372: pallet_treasury::pallet::Event */ PalletTreasuryEvent: { _enum: { Proposed: { @@ -3856,7 +3914,7 @@ export default { }, }, }, - /** Lookup367: pallet_crowdloan_rewards::pallet::Event */ + /** Lookup373: pallet_crowdloan_rewards::pallet::Event */ PalletCrowdloanRewardsEvent: { _enum: { InitialPaymentMade: "(AccountId20,u128)", @@ -3867,7 +3925,7 @@ export default { InitializedAccountWithNotEnoughContribution: "([u8;32],Option,u128)", }, }, - /** Lookup368: cumulus_pallet_xcmp_queue::pallet::Event */ + /** Lookup374: cumulus_pallet_xcmp_queue::pallet::Event */ CumulusPalletXcmpQueueEvent: { _enum: { XcmpMessageSent: { @@ -3875,7 +3933,7 @@ export default { }, }, }, - /** Lookup369: cumulus_pallet_xcm::pallet::Event */ + /** Lookup375: cumulus_pallet_xcm::pallet::Event */ CumulusPalletXcmEvent: { _enum: { InvalidFormat: "[u8;32]", @@ -3883,7 +3941,7 @@ export default { ExecutedDownward: "([u8;32],StagingXcmV4TraitsOutcome)", }, }, - /** Lookup370: staging_xcm::v4::traits::Outcome */ + /** Lookup376: staging_xcm::v4::traits::Outcome */ StagingXcmV4TraitsOutcome: { _enum: { Complete: { @@ -3898,7 +3956,7 @@ export default { }, }, }, - /** Lookup371: cumulus_pallet_dmp_queue::pallet::Event */ + /** Lookup377: cumulus_pallet_dmp_queue::pallet::Event */ CumulusPalletDmpQueueEvent: { _enum: { StartedExport: "Null", @@ -3926,7 +3984,7 @@ export default { }, }, }, - /** Lookup372: pallet_xcm::pallet::Event */ + /** Lookup378: pallet_xcm::pallet::Event */ PalletXcmEvent: { _enum: { Attempted: { @@ -4049,7 +4107,7 @@ export default { }, }, }, - /** Lookup373: pallet_assets::pallet::Event */ + /** Lookup379: pallet_assets::pallet::Event */ PalletAssetsEvent: { _enum: { Created: { @@ -4163,7 +4221,7 @@ export default { }, }, }, - /** Lookup374: pallet_asset_manager::pallet::Event */ + /** Lookup380: pallet_asset_manager::pallet::Event */ PalletAssetManagerEvent: { _enum: { ForeignAssetRegistered: { @@ -4171,10 +4229,7 @@ export default { asset: "MoonriverRuntimeXcmConfigAssetType", metadata: "MoonriverRuntimeAssetConfigAssetRegistrarMetadata", }, - UnitsPerSecondChanged: { - assetType: "MoonriverRuntimeXcmConfigAssetType", - unitsPerSecond: "u128", - }, + UnitsPerSecondChanged: "Null", ForeignAssetXcmLocationChanged: { assetId: "u128", newAssetType: "MoonriverRuntimeXcmConfigAssetType", @@ -4195,7 +4250,7 @@ export default { }, }, }, - /** Lookup375: orml_xtokens::module::Event */ + /** Lookup381: orml_xtokens::module::Event */ OrmlXtokensModuleEvent: { _enum: { TransferredAssets: { @@ -4206,7 +4261,7 @@ export default { }, }, }, - /** Lookup376: pallet_xcm_transactor::pallet::Event */ + /** Lookup382: pallet_xcm_transactor::pallet::Event */ PalletXcmTransactorEvent: { _enum: { TransactedDerivative: { @@ -4254,13 +4309,13 @@ export default { }, }, }, - /** Lookup377: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ + /** Lookup383: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ PalletXcmTransactorRemoteTransactInfoWithMaxWeight: { transactExtraWeight: "SpWeightsWeightV2Weight", maxWeight: "SpWeightsWeightV2Weight", transactExtraWeightSigned: "Option", }, - /** Lookup378: pallet_ethereum_xcm::pallet::Event */ + /** Lookup384: pallet_ethereum_xcm::pallet::Event */ PalletEthereumXcmEvent: { _enum: { ExecutedFromXcm: { @@ -4269,7 +4324,7 @@ export default { }, }, }, - /** Lookup379: pallet_message_queue::pallet::Event */ + /** Lookup385: pallet_message_queue::pallet::Event */ PalletMessageQueueEvent: { _enum: { ProcessingFailed: { @@ -4295,7 +4350,7 @@ export default { }, }, }, - /** Lookup380: frame_support::traits::messages::ProcessMessageError */ + /** Lookup386: frame_support::traits::messages::ProcessMessageError */ FrameSupportMessagesProcessMessageError: { _enum: { BadFormat: "Null", @@ -4305,7 +4360,55 @@ export default { Yield: "Null", }, }, - /** Lookup381: pallet_randomness::pallet::Event */ + /** Lookup387: pallet_moonbeam_foreign_assets::pallet::Event */ + PalletMoonbeamForeignAssetsEvent: { + _enum: { + ForeignAssetCreated: { + contractAddress: "H160", + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + }, + ForeignAssetXcmLocationChanged: { + assetId: "u128", + newXcmLocation: "StagingXcmV4Location", + }, + ForeignAssetFrozen: { + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + }, + ForeignAssetUnfrozen: { + assetId: "u128", + xcmLocation: "StagingXcmV4Location", + }, + }, + }, + /** Lookup388: pallet_xcm_weight_trader::pallet::Event */ + PalletXcmWeightTraderEvent: { + _enum: { + SupportedAssetAdded: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + SupportedAssetEdited: { + location: "StagingXcmV4Location", + relativePrice: "u128", + }, + PauseAssetSupport: { + location: "StagingXcmV4Location", + }, + ResumeAssetSupport: { + location: "StagingXcmV4Location", + }, + SupportedAssetRemoved: { + location: "StagingXcmV4Location", + }, + }, + }, + /** Lookup389: pallet_emergency_para_xcm::pallet::Event */ + PalletEmergencyParaXcmEvent: { + _enum: ["EnteredPausedXcmMode", "NormalXcmOperationResumed"], + }, + /** Lookup390: pallet_randomness::pallet::Event */ PalletRandomnessEvent: { _enum: { RandomnessRequestedBabeEpoch: { @@ -4340,7 +4443,7 @@ export default { }, }, }, - /** Lookup382: frame_system::Phase */ + /** Lookup391: frame_system::Phase */ FrameSystemPhase: { _enum: { ApplyExtrinsic: "u32", @@ -4348,51 +4451,51 @@ export default { Initialization: "Null", }, }, - /** Lookup384: frame_system::LastRuntimeUpgradeInfo */ + /** Lookup393: frame_system::LastRuntimeUpgradeInfo */ FrameSystemLastRuntimeUpgradeInfo: { specVersion: "Compact", specName: "Text", }, - /** Lookup385: frame_system::CodeUpgradeAuthorization */ + /** Lookup394: frame_system::CodeUpgradeAuthorization */ FrameSystemCodeUpgradeAuthorization: { codeHash: "H256", checkVersion: "bool", }, - /** Lookup386: frame_system::limits::BlockWeights */ + /** Lookup395: frame_system::limits::BlockWeights */ FrameSystemLimitsBlockWeights: { baseBlock: "SpWeightsWeightV2Weight", maxBlock: "SpWeightsWeightV2Weight", perClass: "FrameSupportDispatchPerDispatchClassWeightsPerClass", }, - /** Lookup387: frame_support::dispatch::PerDispatchClass */ + /** Lookup396: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassWeightsPerClass: { normal: "FrameSystemLimitsWeightsPerClass", operational: "FrameSystemLimitsWeightsPerClass", mandatory: "FrameSystemLimitsWeightsPerClass", }, - /** Lookup388: frame_system::limits::WeightsPerClass */ + /** Lookup397: frame_system::limits::WeightsPerClass */ FrameSystemLimitsWeightsPerClass: { baseExtrinsic: "SpWeightsWeightV2Weight", maxExtrinsic: "Option", maxTotal: "Option", reserved: "Option", }, - /** Lookup389: frame_system::limits::BlockLength */ + /** Lookup398: frame_system::limits::BlockLength */ FrameSystemLimitsBlockLength: { max: "FrameSupportDispatchPerDispatchClassU32", }, - /** Lookup390: frame_support::dispatch::PerDispatchClass */ + /** Lookup399: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassU32: { normal: "u32", operational: "u32", mandatory: "u32", }, - /** Lookup391: sp_weights::RuntimeDbWeight */ + /** Lookup400: sp_weights::RuntimeDbWeight */ SpWeightsRuntimeDbWeight: { read: "u64", write: "u64", }, - /** Lookup392: sp_version::RuntimeVersion */ + /** Lookup401: sp_version::RuntimeVersion */ SpVersionRuntimeVersion: { specName: "Text", implName: "Text", @@ -4403,7 +4506,7 @@ export default { transactionVersion: "u32", stateVersion: "u8", }, - /** Lookup396: frame_system::pallet::Error */ + /** Lookup405: frame_system::pallet::Error */ FrameSystemError: { _enum: [ "InvalidSpecName", @@ -4417,38 +4520,38 @@ export default { "Unauthorized", ], }, - /** Lookup398: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ + /** Lookup407: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ CumulusPalletParachainSystemUnincludedSegmentAncestor: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", paraHeadHash: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup399: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ + /** Lookup408: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth: { umpMsgCount: "u32", umpTotalBytes: "u32", hrmpOutgoing: "BTreeMap", }, - /** Lookup401: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ + /** Lookup410: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate: { msgCount: "u32", totalBytes: "u32", }, - /** Lookup405: polkadot_primitives::v7::UpgradeGoAhead */ + /** Lookup414: polkadot_primitives::v7::UpgradeGoAhead */ PolkadotPrimitivesV7UpgradeGoAhead: { _enum: ["Abort", "GoAhead"], }, - /** Lookup406: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ + /** Lookup415: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ CumulusPalletParachainSystemUnincludedSegmentSegmentTracker: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", hrmpWatermark: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup408: polkadot_primitives::v7::UpgradeRestriction */ + /** Lookup417: polkadot_primitives::v7::UpgradeRestriction */ PolkadotPrimitivesV7UpgradeRestriction: { _enum: ["Present"], }, - /** Lookup409: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ + /** Lookup418: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot: { dmqMqcHead: "H256", relayDispatchQueueRemainingCapacity: @@ -4456,12 +4559,12 @@ export default { ingressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", egressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", }, - /** Lookup410: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ + /** Lookup419: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity: { remainingCount: "u32", remainingSize: "u32", }, - /** Lookup413: polkadot_primitives::v7::AbridgedHrmpChannel */ + /** Lookup422: polkadot_primitives::v7::AbridgedHrmpChannel */ PolkadotPrimitivesV7AbridgedHrmpChannel: { maxCapacity: "u32", maxTotalSize: "u32", @@ -4470,7 +4573,7 @@ export default { totalSize: "u32", mqcHead: "Option", }, - /** Lookup414: polkadot_primitives::v7::AbridgedHostConfiguration */ + /** Lookup423: polkadot_primitives::v7::AbridgedHostConfiguration */ PolkadotPrimitivesV7AbridgedHostConfiguration: { maxCodeSize: "u32", maxHeadDataSize: "u32", @@ -4483,17 +4586,17 @@ export default { validationUpgradeDelay: "u32", asyncBackingParams: "PolkadotPrimitivesV7AsyncBackingAsyncBackingParams", }, - /** Lookup415: polkadot_primitives::v7::async_backing::AsyncBackingParams */ + /** Lookup424: polkadot_primitives::v7::async_backing::AsyncBackingParams */ PolkadotPrimitivesV7AsyncBackingAsyncBackingParams: { maxCandidateDepth: "u32", allowedAncestryLen: "u32", }, - /** Lookup421: polkadot_core_primitives::OutboundHrmpMessage */ + /** Lookup430: polkadot_core_primitives::OutboundHrmpMessage */ PolkadotCorePrimitivesOutboundHrmpMessage: { recipient: "u32", data: "Bytes", }, - /** Lookup423: cumulus_pallet_parachain_system::pallet::Error */ + /** Lookup432: cumulus_pallet_parachain_system::pallet::Error */ CumulusPalletParachainSystemError: { _enum: [ "OverlappingUpgrades", @@ -4506,22 +4609,22 @@ export default { "Unauthorized", ], }, - /** Lookup425: pallet_balances::types::BalanceLock */ + /** Lookup434: pallet_balances::types::BalanceLock */ PalletBalancesBalanceLock: { id: "[u8;8]", amount: "u128", reasons: "PalletBalancesReasons", }, - /** Lookup426: pallet_balances::types::Reasons */ + /** Lookup435: pallet_balances::types::Reasons */ PalletBalancesReasons: { _enum: ["Fee", "Misc", "All"], }, - /** Lookup429: pallet_balances::types::ReserveData */ + /** Lookup438: pallet_balances::types::ReserveData */ PalletBalancesReserveData: { id: "[u8;4]", amount: "u128", }, - /** Lookup433: moonriver_runtime::RuntimeHoldReason */ + /** Lookup442: moonriver_runtime::RuntimeHoldReason */ MoonriverRuntimeRuntimeHoldReason: { _enum: { __Unused0: "Null", @@ -4589,16 +4692,16 @@ export default { Preimage: "PalletPreimageHoldReason", }, }, - /** Lookup434: pallet_preimage::pallet::HoldReason */ + /** Lookup443: pallet_preimage::pallet::HoldReason */ PalletPreimageHoldReason: { _enum: ["Preimage"], }, - /** Lookup437: pallet_balances::types::IdAmount */ + /** Lookup446: pallet_balances::types::IdAmount */ PalletBalancesIdAmount: { id: "Null", amount: "u128", }, - /** Lookup439: pallet_balances::pallet::Error */ + /** Lookup448: pallet_balances::pallet::Error */ PalletBalancesError: { _enum: [ "VestingBalance", @@ -4615,26 +4718,18 @@ export default { "DeltaZero", ], }, - /** Lookup440: pallet_transaction_payment::Releases */ + /** Lookup449: pallet_transaction_payment::Releases */ PalletTransactionPaymentReleases: { _enum: ["V1Ancient", "V2"], }, - /** - * Lookup441: - * pallet_parachain_staking::types::ParachainBondConfig[account::AccountId20](account::AccountId20) - */ - PalletParachainStakingParachainBondConfig: { - account: "AccountId20", - percent: "Percent", - }, - /** Lookup442: pallet_parachain_staking::types::RoundInfo */ + /** Lookup450: pallet_parachain_staking::types::RoundInfo */ PalletParachainStakingRoundInfo: { current: "u32", first: "u32", length: "u32", firstSlot: "u64", }, - /** Lookup443: pallet_parachain_staking::types::Delegator */ + /** Lookup451: pallet_parachain_staking::types::Delegator */ PalletParachainStakingDelegator: { id: "AccountId20", delegations: "PalletParachainStakingSetOrderedSet", @@ -4643,24 +4738,24 @@ export default { status: "PalletParachainStakingDelegatorStatus", }, /** - * Lookup444: + * Lookup452: * pallet_parachain_staking::set::OrderedSet> */ PalletParachainStakingSetOrderedSet: "Vec", - /** Lookup445: pallet_parachain_staking::types::Bond */ + /** Lookup453: pallet_parachain_staking::types::Bond */ PalletParachainStakingBond: { owner: "AccountId20", amount: "u128", }, - /** Lookup447: pallet_parachain_staking::types::DelegatorStatus */ + /** Lookup455: pallet_parachain_staking::types::DelegatorStatus */ PalletParachainStakingDelegatorStatus: { _enum: { Active: "Null", Leaving: "u32", }, }, - /** Lookup448: pallet_parachain_staking::types::CandidateMetadata */ + /** Lookup456: pallet_parachain_staking::types::CandidateMetadata */ PalletParachainStakingCandidateMetadata: { bond: "u128", delegationCount: "u32", @@ -4673,16 +4768,16 @@ export default { request: "Option", status: "PalletParachainStakingCollatorStatus", }, - /** Lookup449: pallet_parachain_staking::types::CapacityStatus */ + /** Lookup457: pallet_parachain_staking::types::CapacityStatus */ PalletParachainStakingCapacityStatus: { _enum: ["Full", "Empty", "Partial"], }, - /** Lookup451: pallet_parachain_staking::types::CandidateBondLessRequest */ + /** Lookup459: pallet_parachain_staking::types::CandidateBondLessRequest */ PalletParachainStakingCandidateBondLessRequest: { amount: "u128", whenExecutable: "u32", }, - /** Lookup452: pallet_parachain_staking::types::CollatorStatus */ + /** Lookup460: pallet_parachain_staking::types::CollatorStatus */ PalletParachainStakingCollatorStatus: { _enum: { Active: "Null", @@ -4690,50 +4785,50 @@ export default { Leaving: "u32", }, }, - /** Lookup454: pallet_parachain_staking::delegation_requests::ScheduledRequest */ + /** Lookup462: pallet_parachain_staking::delegation_requests::ScheduledRequest */ PalletParachainStakingDelegationRequestsScheduledRequest: { delegator: "AccountId20", whenExecutable: "u32", action: "PalletParachainStakingDelegationRequestsDelegationAction", }, /** - * Lookup457: + * Lookup465: * pallet_parachain_staking::auto_compound::AutoCompoundConfig[account::AccountId20](account::AccountId20) */ PalletParachainStakingAutoCompoundAutoCompoundConfig: { delegator: "AccountId20", value: "Percent", }, - /** Lookup459: pallet_parachain_staking::types::Delegations */ + /** Lookup467: pallet_parachain_staking::types::Delegations */ PalletParachainStakingDelegations: { delegations: "Vec", total: "u128", }, /** - * Lookup461: + * Lookup469: * pallet_parachain_staking::set::BoundedOrderedSet, S> */ PalletParachainStakingSetBoundedOrderedSet: "Vec", - /** Lookup464: pallet_parachain_staking::types::CollatorSnapshot */ + /** Lookup472: pallet_parachain_staking::types::CollatorSnapshot */ PalletParachainStakingCollatorSnapshot: { bond: "u128", delegations: "Vec", total: "u128", }, - /** Lookup466: pallet_parachain_staking::types::BondWithAutoCompound */ + /** Lookup474: pallet_parachain_staking::types::BondWithAutoCompound */ PalletParachainStakingBondWithAutoCompound: { owner: "AccountId20", amount: "u128", autoCompound: "Percent", }, - /** Lookup467: pallet_parachain_staking::types::DelayedPayout */ + /** Lookup475: pallet_parachain_staking::types::DelayedPayout */ PalletParachainStakingDelayedPayout: { roundIssuance: "u128", totalStakingReward: "u128", collatorCommission: "Perbill", }, - /** Lookup468: pallet_parachain_staking::inflation::InflationInfo */ + /** Lookup476: pallet_parachain_staking::inflation::InflationInfo */ PalletParachainStakingInflationInflationInfo: { expect: { min: "u128", @@ -4751,7 +4846,7 @@ export default { max: "Perbill", }, }, - /** Lookup469: pallet_parachain_staking::pallet::Error */ + /** Lookup477: pallet_parachain_staking::pallet::Error */ PalletParachainStakingError: { _enum: [ "DelegatorDNE", @@ -4781,6 +4876,7 @@ export default { "CannotSetBelowMin", "RoundLengthMustBeGreaterThanTotalSelectedCollators", "NoWritingSameValue", + "TotalInflationDistributionPercentExceeds100", "TooLowCandidateCountWeightHintJoinCandidates", "TooLowCandidateCountWeightHintCancelLeaveCandidates", "TooLowCandidateCountToLeaveCandidates", @@ -4811,11 +4907,11 @@ export default { "CurrentRoundTooLow", ], }, - /** Lookup470: pallet_author_inherent::pallet::Error */ + /** Lookup478: pallet_author_inherent::pallet::Error */ PalletAuthorInherentError: { _enum: ["AuthorAlreadySet", "NoAccountId", "CannotBeAuthor"], }, - /** Lookup471: pallet_author_mapping::pallet::RegistrationInfo */ + /** Lookup479: pallet_author_mapping::pallet::RegistrationInfo */ PalletAuthorMappingRegistrationInfo: { _alias: { keys_: "keys", @@ -4824,7 +4920,7 @@ export default { deposit: "u128", keys_: "SessionKeysPrimitivesVrfVrfCryptoPublic", }, - /** Lookup472: pallet_author_mapping::pallet::Error */ + /** Lookup480: pallet_author_mapping::pallet::Error */ PalletAuthorMappingError: { _enum: [ "AssociationNotFound", @@ -4837,18 +4933,18 @@ export default { "DecodeKeysFailed", ], }, - /** Lookup473: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ + /** Lookup481: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCollatorPoolInfo: { orbiters: "Vec", maybeCurrentOrbiter: "Option", nextOrbiter: "u32", }, - /** Lookup475: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ + /** Lookup483: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCurrentOrbiter: { accountId: "AccountId20", removed: "bool", }, - /** Lookup476: pallet_moonbeam_orbiters::pallet::Error */ + /** Lookup484: pallet_moonbeam_orbiters::pallet::Error */ PalletMoonbeamOrbitersError: { _enum: [ "CollatorAlreadyAdded", @@ -4862,23 +4958,23 @@ export default { "OrbiterStillInAPool", ], }, - /** Lookup479: pallet_utility::pallet::Error */ + /** Lookup487: pallet_utility::pallet::Error */ PalletUtilityError: { _enum: ["TooManyCalls"], }, - /** Lookup482: pallet_proxy::ProxyDefinition */ + /** Lookup490: pallet_proxy::ProxyDefinition */ PalletProxyProxyDefinition: { delegate: "AccountId20", proxyType: "MoonriverRuntimeProxyType", delay: "u32", }, - /** Lookup486: pallet_proxy::Announcement */ + /** Lookup494: pallet_proxy::Announcement */ PalletProxyAnnouncement: { real: "AccountId20", callHash: "H256", height: "u32", }, - /** Lookup488: pallet_proxy::pallet::Error */ + /** Lookup496: pallet_proxy::pallet::Error */ PalletProxyError: { _enum: [ "TooMany", @@ -4891,12 +4987,12 @@ export default { "NoSelfProxy", ], }, - /** Lookup489: pallet_maintenance_mode::pallet::Error */ + /** Lookup497: pallet_maintenance_mode::pallet::Error */ PalletMaintenanceModeError: { _enum: ["AlreadyInMaintenanceMode", "NotInMaintenanceMode"], }, /** - * Lookup491: pallet_identity::types::Registration> */ PalletIdentityRegistration: { @@ -4904,21 +5000,21 @@ export default { deposit: "u128", info: "PalletIdentityLegacyIdentityInfo", }, - /** Lookup500: pallet_identity::types::RegistrarInfo */ + /** Lookup508: pallet_identity::types::RegistrarInfo */ PalletIdentityRegistrarInfo: { account: "AccountId20", fee: "u128", fields: "u64", }, /** - * Lookup502: + * Lookup510: * pallet_identity::types::AuthorityProperties> */ PalletIdentityAuthorityProperties: { suffix: "Bytes", allocation: "u32", }, - /** Lookup505: pallet_identity::pallet::Error */ + /** Lookup513: pallet_identity::pallet::Error */ PalletIdentityError: { _enum: [ "TooManySubAccounts", @@ -4949,18 +5045,18 @@ export default { "NotExpired", ], }, - /** Lookup506: pallet_migrations::pallet::Error */ + /** Lookup514: pallet_migrations::pallet::Error */ PalletMigrationsError: { _enum: ["PreimageMissing", "WrongUpperBound", "PreimageIsTooBig", "PreimageAlreadyExists"], }, - /** Lookup508: pallet_multisig::Multisig */ + /** Lookup516: pallet_multisig::Multisig */ PalletMultisigMultisig: { when: "PalletMultisigTimepoint", deposit: "u128", depositor: "AccountId20", approvals: "Vec", }, - /** Lookup510: pallet_multisig::pallet::Error */ + /** Lookup518: pallet_multisig::pallet::Error */ PalletMultisigError: { _enum: [ "MinimumThreshold", @@ -4979,11 +5075,17 @@ export default { "AlreadyStored", ], }, - /** Lookup511: pallet_moonbeam_lazy_migrations::pallet::Error */ + /** Lookup519: pallet_moonbeam_lazy_migrations::pallet::Error */ PalletMoonbeamLazyMigrationsError: { - _enum: ["LimitCannotBeZero", "AddressesLengthCannotBeZero", "ContractNotCorrupted"], + _enum: [ + "LimitCannotBeZero", + "AddressesLengthCannotBeZero", + "ContractNotCorrupted", + "ContractMetadataAlreadySet", + "ContractNotExist", + ], }, - /** Lookup512: pallet_evm::CodeMetadata */ + /** Lookup520: pallet_evm::CodeMetadata */ PalletEvmCodeMetadata: { _alias: { size_: "size", @@ -4992,7 +5094,7 @@ export default { size_: "u64", hash_: "H256", }, - /** Lookup514: pallet_evm::pallet::Error */ + /** Lookup522: pallet_evm::pallet::Error */ PalletEvmError: { _enum: [ "BalanceLow", @@ -5010,7 +5112,7 @@ export default { "Undefined", ], }, - /** Lookup517: fp_rpc::TransactionStatus */ + /** Lookup525: fp_rpc::TransactionStatus */ FpRpcTransactionStatus: { transactionHash: "H256", transactionIndex: "u32", @@ -5020,9 +5122,9 @@ export default { logs: "Vec", logsBloom: "EthbloomBloom", }, - /** Lookup519: ethbloom::Bloom */ + /** Lookup527: ethbloom::Bloom */ EthbloomBloom: "[u8;256]", - /** Lookup521: ethereum::receipt::ReceiptV3 */ + /** Lookup529: ethereum::receipt::ReceiptV3 */ EthereumReceiptReceiptV3: { _enum: { Legacy: "EthereumReceiptEip658ReceiptData", @@ -5030,7 +5132,7 @@ export default { EIP1559: "EthereumReceiptEip658ReceiptData", }, }, - /** Lookup522: ethereum::receipt::EIP658ReceiptData */ + /** Lookup530: ethereum::receipt::EIP658ReceiptData */ EthereumReceiptEip658ReceiptData: { statusCode: "u8", usedGas: "U256", @@ -5038,7 +5140,7 @@ export default { logs: "Vec", }, /** - * Lookup523: + * Lookup531: * ethereum::block::Block[ethereum::transaction::TransactionV2](ethereum::transaction::TransactionV2) */ EthereumBlock: { @@ -5046,7 +5148,7 @@ export default { transactions: "Vec", ommers: "Vec", }, - /** Lookup524: ethereum::header::Header */ + /** Lookup532: ethereum::header::Header */ EthereumHeader: { parentHash: "H256", ommersHash: "H256", @@ -5064,14 +5166,14 @@ export default { mixHash: "H256", nonce: "EthereumTypesHashH64", }, - /** Lookup525: ethereum_types::hash::H64 */ + /** Lookup533: ethereum_types::hash::H64 */ EthereumTypesHashH64: "[u8;8]", - /** Lookup530: pallet_ethereum::pallet::Error */ + /** Lookup538: pallet_ethereum::pallet::Error */ PalletEthereumError: { _enum: ["InvalidSignature", "PreLogExists"], }, /** - * Lookup533: pallet_scheduler::Scheduled, BlockNumber, moonriver_runtime::OriginCaller, account::AccountId20> */ @@ -5082,13 +5184,13 @@ export default { maybePeriodic: "Option<(u32,u32)>", origin: "MoonriverRuntimeOriginCaller", }, - /** Lookup535: pallet_scheduler::RetryConfig */ + /** Lookup543: pallet_scheduler::RetryConfig */ PalletSchedulerRetryConfig: { totalRetries: "u8", remaining: "u8", period: "u32", }, - /** Lookup536: pallet_scheduler::pallet::Error */ + /** Lookup544: pallet_scheduler::pallet::Error */ PalletSchedulerError: { _enum: [ "FailedToSchedule", @@ -5098,7 +5200,7 @@ export default { "Named", ], }, - /** Lookup537: pallet_preimage::OldRequestStatus */ + /** Lookup545: pallet_preimage::OldRequestStatus */ PalletPreimageOldRequestStatus: { _enum: { Unrequested: { @@ -5113,7 +5215,7 @@ export default { }, }, /** - * Lookup540: pallet_preimage::RequestStatus> */ PalletPreimageRequestStatus: { @@ -5129,7 +5231,7 @@ export default { }, }, }, - /** Lookup546: pallet_preimage::pallet::Error */ + /** Lookup554: pallet_preimage::pallet::Error */ PalletPreimageError: { _enum: [ "TooBig", @@ -5143,7 +5245,7 @@ export default { ], }, /** - * Lookup548: pallet_conviction_voting::vote::Voting */ PalletConvictionVotingVoteVoting: { @@ -5152,20 +5254,20 @@ export default { Delegating: "PalletConvictionVotingVoteDelegating", }, }, - /** Lookup549: pallet_conviction_voting::vote::Casting */ + /** Lookup557: pallet_conviction_voting::vote::Casting */ PalletConvictionVotingVoteCasting: { votes: "Vec<(u32,PalletConvictionVotingVoteAccountVote)>", delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup553: pallet_conviction_voting::types::Delegations */ + /** Lookup561: pallet_conviction_voting::types::Delegations */ PalletConvictionVotingDelegations: { votes: "u128", capital: "u128", }, - /** Lookup554: pallet_conviction_voting::vote::PriorLock */ + /** Lookup562: pallet_conviction_voting::vote::PriorLock */ PalletConvictionVotingVotePriorLock: "(u32,u128)", - /** Lookup555: pallet_conviction_voting::vote::Delegating */ + /** Lookup563: pallet_conviction_voting::vote::Delegating */ PalletConvictionVotingVoteDelegating: { balance: "u128", target: "AccountId20", @@ -5173,7 +5275,7 @@ export default { delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup559: pallet_conviction_voting::pallet::Error */ + /** Lookup567: pallet_conviction_voting::pallet::Error */ PalletConvictionVotingError: { _enum: [ "NotOngoing", @@ -5191,7 +5293,7 @@ export default { ], }, /** - * Lookup560: pallet_referenda::types::ReferendumInfo, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5207,7 +5309,7 @@ export default { }, }, /** - * Lookup561: pallet_referenda::types::ReferendumStatus, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5225,17 +5327,17 @@ export default { inQueue: "bool", alarm: "Option<(u32,(u32,u32))>", }, - /** Lookup562: pallet_referenda::types::Deposit */ + /** Lookup570: pallet_referenda::types::Deposit */ PalletReferendaDeposit: { who: "AccountId20", amount: "u128", }, - /** Lookup565: pallet_referenda::types::DecidingStatus */ + /** Lookup573: pallet_referenda::types::DecidingStatus */ PalletReferendaDecidingStatus: { since: "u32", confirming: "Option", }, - /** Lookup573: pallet_referenda::types::TrackInfo */ + /** Lookup581: pallet_referenda::types::TrackInfo */ PalletReferendaTrackInfo: { name: "Text", maxDeciding: "u32", @@ -5247,7 +5349,7 @@ export default { minApproval: "PalletReferendaCurve", minSupport: "PalletReferendaCurve", }, - /** Lookup574: pallet_referenda::types::Curve */ + /** Lookup582: pallet_referenda::types::Curve */ PalletReferendaCurve: { _enum: { LinearDecreasing: { @@ -5268,7 +5370,7 @@ export default { }, }, }, - /** Lookup577: pallet_referenda::pallet::Error */ + /** Lookup585: pallet_referenda::pallet::Error */ PalletReferendaError: { _enum: [ "NotOngoing", @@ -5287,7 +5389,7 @@ export default { "PreimageStoredWithDifferentLength", ], }, - /** Lookup578: pallet_whitelist::pallet::Error */ + /** Lookup586: pallet_whitelist::pallet::Error */ PalletWhitelistError: { _enum: [ "UnavailablePreImage", @@ -5297,7 +5399,7 @@ export default { "CallAlreadyWhitelisted", ], }, - /** Lookup580: pallet_collective::Votes */ + /** Lookup588: pallet_collective::Votes */ PalletCollectiveVotes: { index: "u32", threshold: "u32", @@ -5305,7 +5407,7 @@ export default { nays: "Vec", end: "u32", }, - /** Lookup581: pallet_collective::pallet::Error */ + /** Lookup589: pallet_collective::pallet::Error */ PalletCollectiveError: { _enum: [ "NotMember", @@ -5321,7 +5423,7 @@ export default { "PrimeAccountNotMember", ], }, - /** Lookup584: pallet_treasury::Proposal */ + /** Lookup592: pallet_treasury::Proposal */ PalletTreasuryProposal: { proposer: "AccountId20", value: "u128", @@ -5329,7 +5431,7 @@ export default { bond: "u128", }, /** - * Lookup587: pallet_treasury::SpendStatus */ PalletTreasurySpendStatus: { @@ -5340,7 +5442,7 @@ export default { expireAt: "u32", status: "PalletTreasuryPaymentState", }, - /** Lookup588: pallet_treasury::PaymentState */ + /** Lookup596: pallet_treasury::PaymentState */ PalletTreasuryPaymentState: { _enum: { Pending: "Null", @@ -5350,9 +5452,9 @@ export default { Failed: "Null", }, }, - /** Lookup590: frame_support::PalletId */ + /** Lookup598: frame_support::PalletId */ FrameSupportPalletId: "[u8;8]", - /** Lookup591: pallet_treasury::pallet::Error */ + /** Lookup599: pallet_treasury::pallet::Error */ PalletTreasuryError: { _enum: [ "InsufficientProposersBalance", @@ -5369,13 +5471,13 @@ export default { "Inconclusive", ], }, - /** Lookup592: pallet_crowdloan_rewards::pallet::RewardInfo */ + /** Lookup600: pallet_crowdloan_rewards::pallet::RewardInfo */ PalletCrowdloanRewardsRewardInfo: { totalReward: "u128", claimedReward: "u128", contributedRelayAddresses: "Vec<[u8;32]>", }, - /** Lookup594: pallet_crowdloan_rewards::pallet::Error */ + /** Lookup602: pallet_crowdloan_rewards::pallet::Error */ PalletCrowdloanRewardsError: { _enum: [ "AlreadyAssociated", @@ -5395,7 +5497,7 @@ export default { "InsufficientNumberOfValidProofs", ], }, - /** Lookup599: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ + /** Lookup607: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ CumulusPalletXcmpQueueOutboundChannelDetails: { recipient: "u32", state: "CumulusPalletXcmpQueueOutboundState", @@ -5403,21 +5505,21 @@ export default { firstIndex: "u16", lastIndex: "u16", }, - /** Lookup600: cumulus_pallet_xcmp_queue::OutboundState */ + /** Lookup608: cumulus_pallet_xcmp_queue::OutboundState */ CumulusPalletXcmpQueueOutboundState: { _enum: ["Ok", "Suspended"], }, - /** Lookup602: cumulus_pallet_xcmp_queue::QueueConfigData */ + /** Lookup610: cumulus_pallet_xcmp_queue::QueueConfigData */ CumulusPalletXcmpQueueQueueConfigData: { suspendThreshold: "u32", dropThreshold: "u32", resumeThreshold: "u32", }, - /** Lookup603: cumulus_pallet_xcmp_queue::pallet::Error */ + /** Lookup611: cumulus_pallet_xcmp_queue::pallet::Error */ CumulusPalletXcmpQueueError: { _enum: ["BadQueueConfig", "AlreadySuspended", "AlreadyResumed"], }, - /** Lookup604: cumulus_pallet_dmp_queue::pallet::MigrationState */ + /** Lookup612: cumulus_pallet_dmp_queue::pallet::MigrationState */ CumulusPalletDmpQueueMigrationState: { _enum: { NotStarted: "Null", @@ -5435,7 +5537,7 @@ export default { Completed: "Null", }, }, - /** Lookup607: pallet_xcm::pallet::QueryStatus */ + /** Lookup615: pallet_xcm::pallet::QueryStatus */ PalletXcmQueryStatus: { _enum: { Pending: { @@ -5454,7 +5556,7 @@ export default { }, }, }, - /** Lookup611: xcm::VersionedResponse */ + /** Lookup619: xcm::VersionedResponse */ XcmVersionedResponse: { _enum: { __Unused0: "Null", @@ -5464,7 +5566,7 @@ export default { V4: "StagingXcmV4Response", }, }, - /** Lookup617: pallet_xcm::pallet::VersionMigrationStage */ + /** Lookup625: pallet_xcm::pallet::VersionMigrationStage */ PalletXcmVersionMigrationStage: { _enum: { MigrateSupportedVersion: "Null", @@ -5473,14 +5575,14 @@ export default { MigrateAndNotifyOldTargets: "Null", }, }, - /** Lookup620: pallet_xcm::pallet::RemoteLockedFungibleRecord */ + /** Lookup628: pallet_xcm::pallet::RemoteLockedFungibleRecord */ PalletXcmRemoteLockedFungibleRecord: { amount: "u128", owner: "XcmVersionedLocation", locker: "XcmVersionedLocation", consumers: "Vec<(Null,u128)>", }, - /** Lookup627: pallet_xcm::pallet::Error */ + /** Lookup635: pallet_xcm::pallet::Error */ PalletXcmError: { _enum: [ "Unreachable", @@ -5510,7 +5612,7 @@ export default { "LocalExecutionIncomplete", ], }, - /** Lookup628: pallet_assets::types::AssetDetails */ + /** Lookup636: pallet_assets::types::AssetDetails */ PalletAssetsAssetDetails: { owner: "AccountId20", issuer: "AccountId20", @@ -5525,22 +5627,22 @@ export default { approvals: "u32", status: "PalletAssetsAssetStatus", }, - /** Lookup629: pallet_assets::types::AssetStatus */ + /** Lookup637: pallet_assets::types::AssetStatus */ PalletAssetsAssetStatus: { _enum: ["Live", "Frozen", "Destroying"], }, - /** Lookup631: pallet_assets::types::AssetAccount */ + /** Lookup639: pallet_assets::types::AssetAccount */ PalletAssetsAssetAccount: { balance: "u128", status: "PalletAssetsAccountStatus", reason: "PalletAssetsExistenceReason", extra: "Null", }, - /** Lookup632: pallet_assets::types::AccountStatus */ + /** Lookup640: pallet_assets::types::AccountStatus */ PalletAssetsAccountStatus: { _enum: ["Liquid", "Frozen", "Blocked"], }, - /** Lookup633: pallet_assets::types::ExistenceReason */ + /** Lookup641: pallet_assets::types::ExistenceReason */ PalletAssetsExistenceReason: { _enum: { Consumer: "Null", @@ -5550,13 +5652,13 @@ export default { DepositFrom: "(AccountId20,u128)", }, }, - /** Lookup635: pallet_assets::types::Approval */ + /** Lookup643: pallet_assets::types::Approval */ PalletAssetsApproval: { amount: "u128", deposit: "u128", }, /** - * Lookup636: pallet_assets::types::AssetMetadata> */ PalletAssetsAssetMetadata: { @@ -5566,7 +5668,7 @@ export default { decimals: "u8", isFrozen: "bool", }, - /** Lookup638: pallet_assets::pallet::Error */ + /** Lookup646: pallet_assets::pallet::Error */ PalletAssetsError: { _enum: [ "BalanceLow", @@ -5591,7 +5693,7 @@ export default { "CallbackFailed", ], }, - /** Lookup640: pallet_asset_manager::pallet::Error */ + /** Lookup647: pallet_asset_manager::pallet::Error */ PalletAssetManagerError: { _enum: [ "ErrorCreatingAsset", @@ -5604,7 +5706,7 @@ export default { "NonExistentLocalAsset", ], }, - /** Lookup641: orml_xtokens::module::Error */ + /** Lookup648: orml_xtokens::module::Error */ OrmlXtokensModuleError: { _enum: [ "AssetHasNoReserve", @@ -5629,7 +5731,7 @@ export default { "RateLimited", ], }, - /** Lookup642: pallet_xcm_transactor::relay_indices::RelayChainIndices */ + /** Lookup649: pallet_xcm_transactor::relay_indices::RelayChainIndices */ PalletXcmTransactorRelayIndicesRelayChainIndices: { staking: "u8", utility: "u8", @@ -5650,7 +5752,7 @@ export default { closeChannel: "u8", cancelOpenRequest: "u8", }, - /** Lookup643: pallet_xcm_transactor::pallet::Error */ + /** Lookup650: pallet_xcm_transactor::pallet::Error */ PalletXcmTransactorError: { _enum: [ "IndexAlreadyClaimed", @@ -5682,11 +5784,11 @@ export default { "RefundNotSupportedWithTransactInfo", ], }, - /** Lookup644: pallet_ethereum_xcm::pallet::Error */ + /** Lookup651: pallet_ethereum_xcm::pallet::Error */ PalletEthereumXcmError: { _enum: ["EthereumXcmExecutionSuspended"], }, - /** Lookup645: pallet_message_queue::BookState */ + /** Lookup652: pallet_message_queue::BookState */ PalletMessageQueueBookState: { _alias: { size_: "size", @@ -5698,12 +5800,12 @@ export default { messageCount: "u64", size_: "u64", }, - /** Lookup647: pallet_message_queue::Neighbours */ + /** Lookup654: pallet_message_queue::Neighbours */ PalletMessageQueueNeighbours: { prev: "CumulusPrimitivesCoreAggregateMessageOrigin", next: "CumulusPrimitivesCoreAggregateMessageOrigin", }, - /** Lookup649: pallet_message_queue::Page */ + /** Lookup656: pallet_message_queue::Page */ PalletMessageQueuePage: { remaining: "u32", remainingSize: "u32", @@ -5712,7 +5814,7 @@ export default { last: "u32", heap: "Bytes", }, - /** Lookup651: pallet_message_queue::pallet::Error */ + /** Lookup658: pallet_message_queue::pallet::Error */ PalletMessageQueueError: { _enum: [ "NotReapable", @@ -5726,16 +5828,58 @@ export default { "RecursiveDisallowed", ], }, - /** Lookup653: pallet_precompile_benchmarks::pallet::Error */ + /** Lookup660: pallet_moonbeam_foreign_assets::AssetStatus */ + PalletMoonbeamForeignAssetsAssetStatus: { + _enum: ["Active", "FrozenXcmDepositAllowed", "FrozenXcmDepositForbidden"], + }, + /** Lookup661: pallet_moonbeam_foreign_assets::pallet::Error */ + PalletMoonbeamForeignAssetsError: { + _enum: [ + "AssetAlreadyExists", + "AssetAlreadyFrozen", + "AssetDoesNotExist", + "AssetIdFiltered", + "AssetNotFrozen", + "CorruptedStorageOrphanLocation", + "Erc20ContractCreationFail", + "EvmCallPauseFail", + "EvmCallUnpauseFail", + "EvmInternalError", + "InvalidSymbol", + "InvalidTokenName", + "LocationAlreadyExists", + "TooManyForeignAssets", + ], + }, + /** Lookup663: pallet_xcm_weight_trader::pallet::Error */ + PalletXcmWeightTraderError: { + _enum: [ + "AssetAlreadyAdded", + "AssetAlreadyPaused", + "AssetNotFound", + "AssetNotPaused", + "XcmLocationFiltered", + "PriceCannotBeZero", + ], + }, + /** Lookup664: pallet_emergency_para_xcm::XcmMode */ + PalletEmergencyParaXcmXcmMode: { + _enum: ["Normal", "Paused"], + }, + /** Lookup665: pallet_emergency_para_xcm::pallet::Error */ + PalletEmergencyParaXcmError: { + _enum: ["NotInPausedMode"], + }, + /** Lookup667: pallet_precompile_benchmarks::pallet::Error */ PalletPrecompileBenchmarksError: { _enum: ["BenchmarkError"], }, - /** Lookup654: pallet_randomness::types::RequestState */ + /** Lookup668: pallet_randomness::types::RequestState */ PalletRandomnessRequestState: { request: "PalletRandomnessRequest", deposit: "u128", }, - /** Lookup655: pallet_randomness::types::Request> */ + /** Lookup669: pallet_randomness::types::Request> */ PalletRandomnessRequest: { refundAddress: "H160", contractAddress: "H160", @@ -5745,26 +5889,26 @@ export default { salt: "H256", info: "PalletRandomnessRequestInfo", }, - /** Lookup656: pallet_randomness::types::RequestInfo */ + /** Lookup670: pallet_randomness::types::RequestInfo */ PalletRandomnessRequestInfo: { _enum: { BabeEpoch: "(u64,u64)", Local: "(u32,u32)", }, }, - /** Lookup657: pallet_randomness::types::RequestType */ + /** Lookup671: pallet_randomness::types::RequestType */ PalletRandomnessRequestType: { _enum: { BabeEpoch: "u64", Local: "u32", }, }, - /** Lookup658: pallet_randomness::types::RandomnessResult */ + /** Lookup672: pallet_randomness::types::RandomnessResult */ PalletRandomnessRandomnessResult: { randomness: "Option", requestCount: "u64", }, - /** Lookup659: pallet_randomness::pallet::Error */ + /** Lookup673: pallet_randomness::pallet::Error */ PalletRandomnessError: { _enum: [ "RequestCounterOverflowed", @@ -5781,20 +5925,30 @@ export default { "RandomnessResultNotFilled", ], }, - /** Lookup662: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ + /** Lookup676: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ FrameSystemExtensionsCheckNonZeroSender: "Null", - /** Lookup663: frame_system::extensions::check_spec_version::CheckSpecVersion */ + /** Lookup677: frame_system::extensions::check_spec_version::CheckSpecVersion */ FrameSystemExtensionsCheckSpecVersion: "Null", - /** Lookup664: frame_system::extensions::check_tx_version::CheckTxVersion */ + /** Lookup678: frame_system::extensions::check_tx_version::CheckTxVersion */ FrameSystemExtensionsCheckTxVersion: "Null", - /** Lookup665: frame_system::extensions::check_genesis::CheckGenesis */ + /** Lookup679: frame_system::extensions::check_genesis::CheckGenesis */ FrameSystemExtensionsCheckGenesis: "Null", - /** Lookup668: frame_system::extensions::check_nonce::CheckNonce */ + /** Lookup682: frame_system::extensions::check_nonce::CheckNonce */ FrameSystemExtensionsCheckNonce: "Compact", - /** Lookup669: frame_system::extensions::check_weight::CheckWeight */ + /** Lookup683: frame_system::extensions::check_weight::CheckWeight */ FrameSystemExtensionsCheckWeight: "Null", - /** Lookup670: pallet_transaction_payment::ChargeTransactionPayment */ + /** Lookup684: pallet_transaction_payment::ChargeTransactionPayment */ PalletTransactionPaymentChargeTransactionPayment: "Compact", - /** Lookup672: moonriver_runtime::Runtime */ + /** Lookup685: frame_metadata_hash_extension::CheckMetadataHash */ + FrameMetadataHashExtensionCheckMetadataHash: { + mode: "FrameMetadataHashExtensionMode", + }, + /** Lookup686: frame_metadata_hash_extension::Mode */ + FrameMetadataHashExtensionMode: { + _enum: ["Disabled", "Enabled"], + }, + /** Lookup687: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ + CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: "Null", + /** Lookup689: moonriver_runtime::Runtime */ MoonriverRuntimeRuntime: "Null", }; diff --git a/typescript-api/src/moonriver/interfaces/registry.ts b/typescript-api/src/moonriver/interfaces/registry.ts index 54be856b5b..413fc215b9 100644 --- a/typescript-api/src/moonriver/interfaces/registry.ts +++ b/typescript-api/src/moonriver/interfaces/registry.ts @@ -28,6 +28,7 @@ import type { CumulusPalletXcmpQueueQueueConfigData, CumulusPrimitivesCoreAggregateMessageOrigin, CumulusPrimitivesParachainInherentParachainInherentData, + CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim, EthbloomBloom, EthereumBlock, EthereumHeader, @@ -48,6 +49,8 @@ import type { EvmCoreErrorExitRevert, EvmCoreErrorExitSucceed, FpRpcTransactionStatus, + FrameMetadataHashExtensionCheckMetadataHash, + FrameMetadataHashExtensionMode, FrameSupportDispatchDispatchClass, FrameSupportDispatchDispatchInfo, FrameSupportDispatchPays, @@ -141,6 +144,10 @@ import type { PalletCrowdloanRewardsError, PalletCrowdloanRewardsEvent, PalletCrowdloanRewardsRewardInfo, + PalletEmergencyParaXcmCall, + PalletEmergencyParaXcmError, + PalletEmergencyParaXcmEvent, + PalletEmergencyParaXcmXcmMode, PalletEthereumCall, PalletEthereumError, PalletEthereumEvent, @@ -172,6 +179,10 @@ import type { PalletMessageQueuePage, PalletMigrationsError, PalletMigrationsEvent, + PalletMoonbeamForeignAssetsAssetStatus, + PalletMoonbeamForeignAssetsCall, + PalletMoonbeamForeignAssetsError, + PalletMoonbeamForeignAssetsEvent, PalletMoonbeamLazyMigrationsCall, PalletMoonbeamLazyMigrationsError, PalletMoonbeamOrbitersCall, @@ -203,8 +214,8 @@ import type { PalletParachainStakingDelegatorStatus, PalletParachainStakingError, PalletParachainStakingEvent, + PalletParachainStakingInflationDistributionAccount, PalletParachainStakingInflationInflationInfo, - PalletParachainStakingParachainBondConfig, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, PalletParachainStakingSetOrderedSet, @@ -277,6 +288,9 @@ import type { PalletXcmTransactorRemoteTransactInfoWithMaxWeight, PalletXcmTransactorTransactWeights, PalletXcmVersionMigrationStage, + PalletXcmWeightTraderCall, + PalletXcmWeightTraderError, + PalletXcmWeightTraderEvent, PolkadotCorePrimitivesInboundDownwardMessage, PolkadotCorePrimitivesInboundHrmpMessage, PolkadotCorePrimitivesOutboundHrmpMessage, @@ -402,6 +416,7 @@ declare module "@polkadot/types/types/registry" { CumulusPalletXcmpQueueQueueConfigData: CumulusPalletXcmpQueueQueueConfigData; CumulusPrimitivesCoreAggregateMessageOrigin: CumulusPrimitivesCoreAggregateMessageOrigin; CumulusPrimitivesParachainInherentParachainInherentData: CumulusPrimitivesParachainInherentParachainInherentData; + CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim; EthbloomBloom: EthbloomBloom; EthereumBlock: EthereumBlock; EthereumHeader: EthereumHeader; @@ -422,6 +437,8 @@ declare module "@polkadot/types/types/registry" { EvmCoreErrorExitRevert: EvmCoreErrorExitRevert; EvmCoreErrorExitSucceed: EvmCoreErrorExitSucceed; FpRpcTransactionStatus: FpRpcTransactionStatus; + FrameMetadataHashExtensionCheckMetadataHash: FrameMetadataHashExtensionCheckMetadataHash; + FrameMetadataHashExtensionMode: FrameMetadataHashExtensionMode; FrameSupportDispatchDispatchClass: FrameSupportDispatchDispatchClass; FrameSupportDispatchDispatchInfo: FrameSupportDispatchDispatchInfo; FrameSupportDispatchPays: FrameSupportDispatchPays; @@ -515,6 +532,10 @@ declare module "@polkadot/types/types/registry" { PalletCrowdloanRewardsError: PalletCrowdloanRewardsError; PalletCrowdloanRewardsEvent: PalletCrowdloanRewardsEvent; PalletCrowdloanRewardsRewardInfo: PalletCrowdloanRewardsRewardInfo; + PalletEmergencyParaXcmCall: PalletEmergencyParaXcmCall; + PalletEmergencyParaXcmError: PalletEmergencyParaXcmError; + PalletEmergencyParaXcmEvent: PalletEmergencyParaXcmEvent; + PalletEmergencyParaXcmXcmMode: PalletEmergencyParaXcmXcmMode; PalletEthereumCall: PalletEthereumCall; PalletEthereumError: PalletEthereumError; PalletEthereumEvent: PalletEthereumEvent; @@ -546,6 +567,10 @@ declare module "@polkadot/types/types/registry" { PalletMessageQueuePage: PalletMessageQueuePage; PalletMigrationsError: PalletMigrationsError; PalletMigrationsEvent: PalletMigrationsEvent; + PalletMoonbeamForeignAssetsAssetStatus: PalletMoonbeamForeignAssetsAssetStatus; + PalletMoonbeamForeignAssetsCall: PalletMoonbeamForeignAssetsCall; + PalletMoonbeamForeignAssetsError: PalletMoonbeamForeignAssetsError; + PalletMoonbeamForeignAssetsEvent: PalletMoonbeamForeignAssetsEvent; PalletMoonbeamLazyMigrationsCall: PalletMoonbeamLazyMigrationsCall; PalletMoonbeamLazyMigrationsError: PalletMoonbeamLazyMigrationsError; PalletMoonbeamOrbitersCall: PalletMoonbeamOrbitersCall; @@ -577,8 +602,8 @@ declare module "@polkadot/types/types/registry" { PalletParachainStakingDelegatorStatus: PalletParachainStakingDelegatorStatus; PalletParachainStakingError: PalletParachainStakingError; PalletParachainStakingEvent: PalletParachainStakingEvent; + PalletParachainStakingInflationDistributionAccount: PalletParachainStakingInflationDistributionAccount; PalletParachainStakingInflationInflationInfo: PalletParachainStakingInflationInflationInfo; - PalletParachainStakingParachainBondConfig: PalletParachainStakingParachainBondConfig; PalletParachainStakingRoundInfo: PalletParachainStakingRoundInfo; PalletParachainStakingSetBoundedOrderedSet: PalletParachainStakingSetBoundedOrderedSet; PalletParachainStakingSetOrderedSet: PalletParachainStakingSetOrderedSet; @@ -651,6 +676,9 @@ declare module "@polkadot/types/types/registry" { PalletXcmTransactorRemoteTransactInfoWithMaxWeight: PalletXcmTransactorRemoteTransactInfoWithMaxWeight; PalletXcmTransactorTransactWeights: PalletXcmTransactorTransactWeights; PalletXcmVersionMigrationStage: PalletXcmVersionMigrationStage; + PalletXcmWeightTraderCall: PalletXcmWeightTraderCall; + PalletXcmWeightTraderError: PalletXcmWeightTraderError; + PalletXcmWeightTraderEvent: PalletXcmWeightTraderEvent; PolkadotCorePrimitivesInboundDownwardMessage: PolkadotCorePrimitivesInboundDownwardMessage; PolkadotCorePrimitivesInboundHrmpMessage: PolkadotCorePrimitivesInboundHrmpMessage; PolkadotCorePrimitivesOutboundHrmpMessage: PolkadotCorePrimitivesOutboundHrmpMessage; diff --git a/typescript-api/src/moonriver/interfaces/types-lookup.ts b/typescript-api/src/moonriver/interfaces/types-lookup.ts index c58638acae..d934b0612d 100644 --- a/typescript-api/src/moonriver/interfaces/types-lookup.ts +++ b/typescript-api/src/moonriver/interfaces/types-lookup.ts @@ -583,20 +583,16 @@ declare module "@polkadot/types/lookup" { readonly account: AccountId20; readonly rewards: u128; } & Struct; - readonly isReservedForParachainBond: boolean; - readonly asReservedForParachainBond: { + readonly isInflationDistributed: boolean; + readonly asInflationDistributed: { + readonly index: u32; readonly account: AccountId20; readonly value: u128; } & Struct; - readonly isParachainBondAccountSet: boolean; - readonly asParachainBondAccountSet: { - readonly old: AccountId20; - readonly new_: AccountId20; - } & Struct; - readonly isParachainBondReservePercentSet: boolean; - readonly asParachainBondReservePercentSet: { - readonly old: Percent; - readonly new_: Percent; + readonly isInflationDistributionConfigUpdated: boolean; + readonly asInflationDistributionConfigUpdated: { + readonly old: Vec; + readonly new_: Vec; } & Struct; readonly isInflationSet: boolean; readonly asInflationSet: { @@ -671,9 +667,8 @@ declare module "@polkadot/types/lookup" { | "Delegation" | "DelegatorLeftCandidate" | "Rewarded" - | "ReservedForParachainBond" - | "ParachainBondAccountSet" - | "ParachainBondReservePercentSet" + | "InflationDistributed" + | "InflationDistributionConfigUpdated" | "InflationSet" | "StakeExpectationsSet" | "TotalSelectedSet" @@ -708,14 +703,20 @@ declare module "@polkadot/types/lookup" { readonly type: "AddedToTop" | "AddedToBottom"; } - /** @name PalletAuthorSlotFilterEvent (44) */ + /** @name PalletParachainStakingInflationDistributionAccount (44) */ + interface PalletParachainStakingInflationDistributionAccount extends Struct { + readonly account: AccountId20; + readonly percent: Percent; + } + + /** @name PalletAuthorSlotFilterEvent (46) */ interface PalletAuthorSlotFilterEvent extends Enum { readonly isEligibleUpdated: boolean; readonly asEligibleUpdated: u32; readonly type: "EligibleUpdated"; } - /** @name PalletAuthorMappingEvent (46) */ + /** @name PalletAuthorMappingEvent (48) */ interface PalletAuthorMappingEvent extends Enum { readonly isKeysRegistered: boolean; readonly asKeysRegistered: { @@ -738,13 +739,13 @@ declare module "@polkadot/types/lookup" { readonly type: "KeysRegistered" | "KeysRemoved" | "KeysRotated"; } - /** @name NimbusPrimitivesNimbusCryptoPublic (47) */ + /** @name NimbusPrimitivesNimbusCryptoPublic (49) */ interface NimbusPrimitivesNimbusCryptoPublic extends U8aFixed {} - /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (48) */ + /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (50) */ interface SessionKeysPrimitivesVrfVrfCryptoPublic extends U8aFixed {} - /** @name PalletMoonbeamOrbitersEvent (49) */ + /** @name PalletMoonbeamOrbitersEvent (51) */ interface PalletMoonbeamOrbitersEvent extends Enum { readonly isOrbiterJoinCollatorPool: boolean; readonly asOrbiterJoinCollatorPool: { @@ -785,7 +786,7 @@ declare module "@polkadot/types/lookup" { | "OrbiterUnregistered"; } - /** @name PalletUtilityEvent (51) */ + /** @name PalletUtilityEvent (53) */ interface PalletUtilityEvent extends Enum { readonly isBatchInterrupted: boolean; readonly asBatchInterrupted: { @@ -812,7 +813,7 @@ declare module "@polkadot/types/lookup" { | "DispatchedAs"; } - /** @name PalletProxyEvent (54) */ + /** @name PalletProxyEvent (56) */ interface PalletProxyEvent extends Enum { readonly isProxyExecuted: boolean; readonly asProxyExecuted: { @@ -848,7 +849,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProxyExecuted" | "PureCreated" | "Announced" | "ProxyAdded" | "ProxyRemoved"; } - /** @name MoonriverRuntimeProxyType (55) */ + /** @name MoonriverRuntimeProxyType (57) */ interface MoonriverRuntimeProxyType extends Enum { readonly isAny: boolean; readonly isNonTransfer: boolean; @@ -869,7 +870,7 @@ declare module "@polkadot/types/lookup" { | "IdentityJudgement"; } - /** @name PalletMaintenanceModeEvent (57) */ + /** @name PalletMaintenanceModeEvent (59) */ interface PalletMaintenanceModeEvent extends Enum { readonly isEnteredMaintenanceMode: boolean; readonly isNormalOperationResumed: boolean; @@ -888,7 +889,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletIdentityEvent (58) */ + /** @name PalletIdentityEvent (60) */ interface PalletIdentityEvent extends Enum { readonly isIdentitySet: boolean; readonly asIdentitySet: { @@ -994,7 +995,7 @@ declare module "@polkadot/types/lookup" { | "DanglingUsernameRemoved"; } - /** @name PalletMigrationsEvent (60) */ + /** @name PalletMigrationsEvent (62) */ interface PalletMigrationsEvent extends Enum { readonly isRuntimeUpgradeStarted: boolean; readonly isRuntimeUpgradeCompleted: boolean; @@ -1027,7 +1028,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletMultisigEvent (61) */ + /** @name PalletMultisigEvent (63) */ interface PalletMultisigEvent extends Enum { readonly isNewMultisig: boolean; readonly asNewMultisig: { @@ -1060,13 +1061,13 @@ declare module "@polkadot/types/lookup" { readonly type: "NewMultisig" | "MultisigApproval" | "MultisigExecuted" | "MultisigCancelled"; } - /** @name PalletMultisigTimepoint (62) */ + /** @name PalletMultisigTimepoint (64) */ interface PalletMultisigTimepoint extends Struct { readonly height: u32; readonly index: u32; } - /** @name PalletEvmEvent (63) */ + /** @name PalletEvmEvent (65) */ interface PalletEvmEvent extends Enum { readonly isLog: boolean; readonly asLog: { @@ -1091,14 +1092,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Log" | "Created" | "CreatedFailed" | "Executed" | "ExecutedFailed"; } - /** @name EthereumLog (64) */ + /** @name EthereumLog (66) */ interface EthereumLog extends Struct { readonly address: H160; readonly topics: Vec; readonly data: Bytes; } - /** @name PalletEthereumEvent (67) */ + /** @name PalletEthereumEvent (69) */ interface PalletEthereumEvent extends Enum { readonly isExecuted: boolean; readonly asExecuted: { @@ -1111,7 +1112,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Executed"; } - /** @name EvmCoreErrorExitReason (68) */ + /** @name EvmCoreErrorExitReason (70) */ interface EvmCoreErrorExitReason extends Enum { readonly isSucceed: boolean; readonly asSucceed: EvmCoreErrorExitSucceed; @@ -1124,7 +1125,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Succeed" | "Error" | "Revert" | "Fatal"; } - /** @name EvmCoreErrorExitSucceed (69) */ + /** @name EvmCoreErrorExitSucceed (71) */ interface EvmCoreErrorExitSucceed extends Enum { readonly isStopped: boolean; readonly isReturned: boolean; @@ -1132,7 +1133,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Stopped" | "Returned" | "Suicided"; } - /** @name EvmCoreErrorExitError (70) */ + /** @name EvmCoreErrorExitError (72) */ interface EvmCoreErrorExitError extends Enum { readonly isStackUnderflow: boolean; readonly isStackOverflow: boolean; @@ -1171,13 +1172,13 @@ declare module "@polkadot/types/lookup" { | "InvalidCode"; } - /** @name EvmCoreErrorExitRevert (74) */ + /** @name EvmCoreErrorExitRevert (76) */ interface EvmCoreErrorExitRevert extends Enum { readonly isReverted: boolean; readonly type: "Reverted"; } - /** @name EvmCoreErrorExitFatal (75) */ + /** @name EvmCoreErrorExitFatal (77) */ interface EvmCoreErrorExitFatal extends Enum { readonly isNotSupported: boolean; readonly isUnhandledInterrupt: boolean; @@ -1188,7 +1189,7 @@ declare module "@polkadot/types/lookup" { readonly type: "NotSupported" | "UnhandledInterrupt" | "CallErrorAsFatal" | "Other"; } - /** @name PalletSchedulerEvent (76) */ + /** @name PalletSchedulerEvent (78) */ interface PalletSchedulerEvent extends Enum { readonly isScheduled: boolean; readonly asScheduled: { @@ -1250,7 +1251,7 @@ declare module "@polkadot/types/lookup" { | "PermanentlyOverweight"; } - /** @name PalletPreimageEvent (78) */ + /** @name PalletPreimageEvent (80) */ interface PalletPreimageEvent extends Enum { readonly isNoted: boolean; readonly asNoted: { @@ -1267,7 +1268,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Noted" | "Requested" | "Cleared"; } - /** @name PalletConvictionVotingEvent (79) */ + /** @name PalletConvictionVotingEvent (81) */ interface PalletConvictionVotingEvent extends Enum { readonly isDelegated: boolean; readonly asDelegated: ITuple<[AccountId20, AccountId20]>; @@ -1276,7 +1277,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Delegated" | "Undelegated"; } - /** @name PalletReferendaEvent (80) */ + /** @name PalletReferendaEvent (82) */ interface PalletReferendaEvent extends Enum { readonly isSubmitted: boolean; readonly asSubmitted: { @@ -1380,7 +1381,7 @@ declare module "@polkadot/types/lookup" { | "MetadataCleared"; } - /** @name FrameSupportPreimagesBounded (81) */ + /** @name FrameSupportPreimagesBounded (83) */ interface FrameSupportPreimagesBounded extends Enum { readonly isLegacy: boolean; readonly asLegacy: { @@ -1396,7 +1397,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Inline" | "Lookup"; } - /** @name FrameSystemCall (83) */ + /** @name FrameSystemCall (85) */ interface FrameSystemCall extends Enum { readonly isRemark: boolean; readonly asRemark: { @@ -1457,7 +1458,7 @@ declare module "@polkadot/types/lookup" { | "ApplyAuthorizedUpgrade"; } - /** @name CumulusPalletParachainSystemCall (87) */ + /** @name CumulusPalletParachainSystemCall (89) */ interface CumulusPalletParachainSystemCall extends Enum { readonly isSetValidationData: boolean; readonly asSetValidationData: { @@ -1483,7 +1484,7 @@ declare module "@polkadot/types/lookup" { | "EnactAuthorizedUpgrade"; } - /** @name CumulusPrimitivesParachainInherentParachainInherentData (88) */ + /** @name CumulusPrimitivesParachainInherentParachainInherentData (90) */ interface CumulusPrimitivesParachainInherentParachainInherentData extends Struct { readonly validationData: PolkadotPrimitivesV7PersistedValidationData; readonly relayChainState: SpTrieStorageProof; @@ -1491,7 +1492,7 @@ declare module "@polkadot/types/lookup" { readonly horizontalMessages: BTreeMap>; } - /** @name PolkadotPrimitivesV7PersistedValidationData (89) */ + /** @name PolkadotPrimitivesV7PersistedValidationData (91) */ interface PolkadotPrimitivesV7PersistedValidationData extends Struct { readonly parentHead: Bytes; readonly relayParentNumber: u32; @@ -1499,24 +1500,24 @@ declare module "@polkadot/types/lookup" { readonly maxPovSize: u32; } - /** @name SpTrieStorageProof (91) */ + /** @name SpTrieStorageProof (93) */ interface SpTrieStorageProof extends Struct { readonly trieNodes: BTreeSet; } - /** @name PolkadotCorePrimitivesInboundDownwardMessage (94) */ + /** @name PolkadotCorePrimitivesInboundDownwardMessage (96) */ interface PolkadotCorePrimitivesInboundDownwardMessage extends Struct { readonly sentAt: u32; readonly msg: Bytes; } - /** @name PolkadotCorePrimitivesInboundHrmpMessage (98) */ + /** @name PolkadotCorePrimitivesInboundHrmpMessage (100) */ interface PolkadotCorePrimitivesInboundHrmpMessage extends Struct { readonly sentAt: u32; readonly data: Bytes; } - /** @name PalletTimestampCall (101) */ + /** @name PalletTimestampCall (103) */ interface PalletTimestampCall extends Enum { readonly isSet: boolean; readonly asSet: { @@ -1525,7 +1526,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Set"; } - /** @name PalletRootTestingCall (102) */ + /** @name PalletRootTestingCall (104) */ interface PalletRootTestingCall extends Enum { readonly isFillBlock: boolean; readonly asFillBlock: { @@ -1535,7 +1536,7 @@ declare module "@polkadot/types/lookup" { readonly type: "FillBlock" | "TriggerDefensive"; } - /** @name PalletBalancesCall (103) */ + /** @name PalletBalancesCall (105) */ interface PalletBalancesCall extends Enum { readonly isTransferAllowDeath: boolean; readonly asTransferAllowDeath: { @@ -1588,14 +1589,14 @@ declare module "@polkadot/types/lookup" { | "ForceAdjustTotalIssuance"; } - /** @name PalletBalancesAdjustmentDirection (106) */ + /** @name PalletBalancesAdjustmentDirection (108) */ interface PalletBalancesAdjustmentDirection extends Enum { readonly isIncrease: boolean; readonly isDecrease: boolean; readonly type: "Increase" | "Decrease"; } - /** @name PalletParachainStakingCall (107) */ + /** @name PalletParachainStakingCall (109) */ interface PalletParachainStakingCall extends Enum { readonly isSetStakingExpectations: boolean; readonly asSetStakingExpectations: { @@ -1733,6 +1734,10 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; readonly candidateCount: u32; } & Struct; + readonly isSetInflationDistributionConfig: boolean; + readonly asSetInflationDistributionConfig: { + readonly new_: Vec; + } & Struct; readonly type: | "SetStakingExpectations" | "SetInflation" @@ -1765,16 +1770,17 @@ declare module "@polkadot/types/lookup" { | "HotfixRemoveDelegationRequestsExitedCandidates" | "NotifyInactiveCollator" | "EnableMarkingOffline" - | "ForceJoinCandidates"; + | "ForceJoinCandidates" + | "SetInflationDistributionConfig"; } - /** @name PalletAuthorInherentCall (110) */ + /** @name PalletAuthorInherentCall (112) */ interface PalletAuthorInherentCall extends Enum { readonly isKickOffAuthorshipValidation: boolean; readonly type: "KickOffAuthorshipValidation"; } - /** @name PalletAuthorSlotFilterCall (111) */ + /** @name PalletAuthorSlotFilterCall (113) */ interface PalletAuthorSlotFilterCall extends Enum { readonly isSetEligible: boolean; readonly asSetEligible: { @@ -1783,7 +1789,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetEligible"; } - /** @name PalletAuthorMappingCall (112) */ + /** @name PalletAuthorMappingCall (114) */ interface PalletAuthorMappingCall extends Enum { readonly isAddAssociation: boolean; readonly asAddAssociation: { @@ -1811,7 +1817,7 @@ declare module "@polkadot/types/lookup" { | "SetKeys"; } - /** @name PalletMoonbeamOrbitersCall (113) */ + /** @name PalletMoonbeamOrbitersCall (115) */ interface PalletMoonbeamOrbitersCall extends Enum { readonly isCollatorAddOrbiter: boolean; readonly asCollatorAddOrbiter: { @@ -1848,7 +1854,7 @@ declare module "@polkadot/types/lookup" { | "RemoveCollator"; } - /** @name PalletUtilityCall (114) */ + /** @name PalletUtilityCall (116) */ interface PalletUtilityCall extends Enum { readonly isBatch: boolean; readonly asBatch: { @@ -1886,7 +1892,7 @@ declare module "@polkadot/types/lookup" { | "WithWeight"; } - /** @name MoonriverRuntimeOriginCaller (116) */ + /** @name MoonriverRuntimeOriginCaller (118) */ interface MoonriverRuntimeOriginCaller extends Enum { readonly isSystem: boolean; readonly asSystem: FrameSupportDispatchRawOrigin; @@ -1917,7 +1923,7 @@ declare module "@polkadot/types/lookup" { | "EthereumXcm"; } - /** @name FrameSupportDispatchRawOrigin (117) */ + /** @name FrameSupportDispatchRawOrigin (119) */ interface FrameSupportDispatchRawOrigin extends Enum { readonly isRoot: boolean; readonly isSigned: boolean; @@ -1926,14 +1932,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Root" | "Signed" | "None"; } - /** @name PalletEthereumRawOrigin (118) */ + /** @name PalletEthereumRawOrigin (120) */ interface PalletEthereumRawOrigin extends Enum { readonly isEthereumTransaction: boolean; readonly asEthereumTransaction: H160; readonly type: "EthereumTransaction"; } - /** @name MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin (119) */ + /** @name MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin (121) */ interface MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin extends Enum { readonly isWhitelistedCaller: boolean; readonly isGeneralAdmin: boolean; @@ -1948,7 +1954,7 @@ declare module "@polkadot/types/lookup" { | "FastGeneralAdmin"; } - /** @name PalletCollectiveRawOrigin (120) */ + /** @name PalletCollectiveRawOrigin (122) */ interface PalletCollectiveRawOrigin extends Enum { readonly isMembers: boolean; readonly asMembers: ITuple<[u32, u32]>; @@ -1958,7 +1964,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Members" | "Member" | "Phantom"; } - /** @name CumulusPalletXcmOrigin (122) */ + /** @name CumulusPalletXcmOrigin (124) */ interface CumulusPalletXcmOrigin extends Enum { readonly isRelay: boolean; readonly isSiblingParachain: boolean; @@ -1966,7 +1972,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Relay" | "SiblingParachain"; } - /** @name PalletXcmOrigin (123) */ + /** @name PalletXcmOrigin (125) */ interface PalletXcmOrigin extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV4Location; @@ -1975,13 +1981,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Xcm" | "Response"; } - /** @name StagingXcmV4Location (124) */ + /** @name StagingXcmV4Location (126) */ interface StagingXcmV4Location extends Struct { readonly parents: u8; readonly interior: StagingXcmV4Junctions; } - /** @name StagingXcmV4Junctions (125) */ + /** @name StagingXcmV4Junctions (127) */ interface StagingXcmV4Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2003,7 +2009,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name StagingXcmV4Junction (127) */ + /** @name StagingXcmV4Junction (129) */ interface StagingXcmV4Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2052,7 +2058,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name StagingXcmV4JunctionNetworkId (130) */ + /** @name StagingXcmV4JunctionNetworkId (132) */ interface StagingXcmV4JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -2087,7 +2093,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3JunctionBodyId (131) */ + /** @name XcmV3JunctionBodyId (133) */ interface XcmV3JunctionBodyId extends Enum { readonly isUnit: boolean; readonly isMoniker: boolean; @@ -2114,7 +2120,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV3JunctionBodyPart (132) */ + /** @name XcmV3JunctionBodyPart (134) */ interface XcmV3JunctionBodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -2139,17 +2145,17 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name PalletEthereumXcmRawOrigin (140) */ + /** @name PalletEthereumXcmRawOrigin (142) */ interface PalletEthereumXcmRawOrigin extends Enum { readonly isXcmEthereumTransaction: boolean; readonly asXcmEthereumTransaction: H160; readonly type: "XcmEthereumTransaction"; } - /** @name SpCoreVoid (141) */ + /** @name SpCoreVoid (143) */ type SpCoreVoid = Null; - /** @name PalletProxyCall (142) */ + /** @name PalletProxyCall (144) */ interface PalletProxyCall extends Enum { readonly isProxy: boolean; readonly asProxy: { @@ -2219,14 +2225,14 @@ declare module "@polkadot/types/lookup" { | "ProxyAnnounced"; } - /** @name PalletMaintenanceModeCall (144) */ + /** @name PalletMaintenanceModeCall (146) */ interface PalletMaintenanceModeCall extends Enum { readonly isEnterMaintenanceMode: boolean; readonly isResumeNormalOperation: boolean; readonly type: "EnterMaintenanceMode" | "ResumeNormalOperation"; } - /** @name PalletIdentityCall (145) */ + /** @name PalletIdentityCall (147) */ interface PalletIdentityCall extends Enum { readonly isAddRegistrar: boolean; readonly asAddRegistrar: { @@ -2348,7 +2354,7 @@ declare module "@polkadot/types/lookup" { | "RemoveDanglingUsername"; } - /** @name PalletIdentityLegacyIdentityInfo (146) */ + /** @name PalletIdentityLegacyIdentityInfo (148) */ interface PalletIdentityLegacyIdentityInfo extends Struct { readonly additional: Vec>; readonly display: Data; @@ -2361,7 +2367,7 @@ declare module "@polkadot/types/lookup" { readonly twitter: Data; } - /** @name PalletIdentityJudgement (184) */ + /** @name PalletIdentityJudgement (186) */ interface PalletIdentityJudgement extends Enum { readonly isUnknown: boolean; readonly isFeePaid: boolean; @@ -2381,10 +2387,10 @@ declare module "@polkadot/types/lookup" { | "Erroneous"; } - /** @name AccountEthereumSignature (186) */ + /** @name AccountEthereumSignature (188) */ interface AccountEthereumSignature extends U8aFixed {} - /** @name PalletMultisigCall (188) */ + /** @name PalletMultisigCall (190) */ interface PalletMultisigCall extends Enum { readonly isAsMultiThreshold1: boolean; readonly asAsMultiThreshold1: { @@ -2417,17 +2423,21 @@ declare module "@polkadot/types/lookup" { readonly type: "AsMultiThreshold1" | "AsMulti" | "ApproveAsMulti" | "CancelAsMulti"; } - /** @name PalletMoonbeamLazyMigrationsCall (190) */ + /** @name PalletMoonbeamLazyMigrationsCall (192) */ interface PalletMoonbeamLazyMigrationsCall extends Enum { readonly isClearSuicidedStorage: boolean; readonly asClearSuicidedStorage: { readonly addresses: Vec; readonly limit: u32; } & Struct; - readonly type: "ClearSuicidedStorage"; + readonly isCreateContractMetadata: boolean; + readonly asCreateContractMetadata: { + readonly address: H160; + } & Struct; + readonly type: "ClearSuicidedStorage" | "CreateContractMetadata"; } - /** @name PalletEvmCall (193) */ + /** @name PalletEvmCall (195) */ interface PalletEvmCall extends Enum { readonly isWithdraw: boolean; readonly asWithdraw: { @@ -2472,7 +2482,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Withdraw" | "Call" | "Create" | "Create2"; } - /** @name PalletEthereumCall (199) */ + /** @name PalletEthereumCall (201) */ interface PalletEthereumCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -2481,7 +2491,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Transact"; } - /** @name EthereumTransactionTransactionV2 (200) */ + /** @name EthereumTransactionTransactionV2 (202) */ interface EthereumTransactionTransactionV2 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumTransactionLegacyTransaction; @@ -2492,7 +2502,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumTransactionLegacyTransaction (201) */ + /** @name EthereumTransactionLegacyTransaction (203) */ interface EthereumTransactionLegacyTransaction extends Struct { readonly nonce: U256; readonly gasPrice: U256; @@ -2503,7 +2513,7 @@ declare module "@polkadot/types/lookup" { readonly signature: EthereumTransactionTransactionSignature; } - /** @name EthereumTransactionTransactionAction (202) */ + /** @name EthereumTransactionTransactionAction (204) */ interface EthereumTransactionTransactionAction extends Enum { readonly isCall: boolean; readonly asCall: H160; @@ -2511,14 +2521,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Call" | "Create"; } - /** @name EthereumTransactionTransactionSignature (203) */ + /** @name EthereumTransactionTransactionSignature (205) */ interface EthereumTransactionTransactionSignature extends Struct { readonly v: u64; readonly r: H256; readonly s: H256; } - /** @name EthereumTransactionEip2930Transaction (205) */ + /** @name EthereumTransactionEip2930Transaction (207) */ interface EthereumTransactionEip2930Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2533,13 +2543,13 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name EthereumTransactionAccessListItem (207) */ + /** @name EthereumTransactionAccessListItem (209) */ interface EthereumTransactionAccessListItem extends Struct { readonly address: H160; readonly storageKeys: Vec; } - /** @name EthereumTransactionEip1559Transaction (208) */ + /** @name EthereumTransactionEip1559Transaction (210) */ interface EthereumTransactionEip1559Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2555,7 +2565,7 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name PalletSchedulerCall (209) */ + /** @name PalletSchedulerCall (211) */ interface PalletSchedulerCall extends Enum { readonly isSchedule: boolean; readonly asSchedule: { @@ -2629,7 +2639,7 @@ declare module "@polkadot/types/lookup" { | "CancelRetryNamed"; } - /** @name PalletPreimageCall (211) */ + /** @name PalletPreimageCall (213) */ interface PalletPreimageCall extends Enum { readonly isNotePreimage: boolean; readonly asNotePreimage: { @@ -2659,7 +2669,7 @@ declare module "@polkadot/types/lookup" { | "EnsureUpdated"; } - /** @name PalletConvictionVotingCall (212) */ + /** @name PalletConvictionVotingCall (214) */ interface PalletConvictionVotingCall extends Enum { readonly isVote: boolean; readonly asVote: { @@ -2696,7 +2706,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Vote" | "Delegate" | "Undelegate" | "Unlock" | "RemoveVote" | "RemoveOtherVote"; } - /** @name PalletConvictionVotingVoteAccountVote (213) */ + /** @name PalletConvictionVotingVoteAccountVote (215) */ interface PalletConvictionVotingVoteAccountVote extends Enum { readonly isStandard: boolean; readonly asStandard: { @@ -2717,7 +2727,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Standard" | "Split" | "SplitAbstain"; } - /** @name PalletConvictionVotingConviction (215) */ + /** @name PalletConvictionVotingConviction (217) */ interface PalletConvictionVotingConviction extends Enum { readonly isNone: boolean; readonly isLocked1x: boolean; @@ -2736,7 +2746,7 @@ declare module "@polkadot/types/lookup" { | "Locked6x"; } - /** @name PalletReferendaCall (217) */ + /** @name PalletReferendaCall (219) */ interface PalletReferendaCall extends Enum { readonly isSubmit: boolean; readonly asSubmit: { @@ -2789,7 +2799,7 @@ declare module "@polkadot/types/lookup" { | "SetMetadata"; } - /** @name FrameSupportScheduleDispatchTime (218) */ + /** @name FrameSupportScheduleDispatchTime (220) */ interface FrameSupportScheduleDispatchTime extends Enum { readonly isAt: boolean; readonly asAt: u32; @@ -2798,7 +2808,7 @@ declare module "@polkadot/types/lookup" { readonly type: "At" | "After"; } - /** @name PalletWhitelistCall (220) */ + /** @name PalletWhitelistCall (222) */ interface PalletWhitelistCall extends Enum { readonly isWhitelistCall: boolean; readonly asWhitelistCall: { @@ -2825,7 +2835,7 @@ declare module "@polkadot/types/lookup" { | "DispatchWhitelistedCallWithPreimage"; } - /** @name PalletCollectiveCall (221) */ + /** @name PalletCollectiveCall (223) */ interface PalletCollectiveCall extends Enum { readonly isSetMembers: boolean; readonly asSetMembers: { @@ -2864,7 +2874,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetMembers" | "Execute" | "Propose" | "Vote" | "DisapproveProposal" | "Close"; } - /** @name PalletTreasuryCall (223) */ + /** @name PalletTreasuryCall (225) */ interface PalletTreasuryCall extends Enum { readonly isProposeSpend: boolean; readonly asProposeSpend: { @@ -2919,7 +2929,7 @@ declare module "@polkadot/types/lookup" { | "VoidSpend"; } - /** @name PalletCrowdloanRewardsCall (225) */ + /** @name PalletCrowdloanRewardsCall (227) */ interface PalletCrowdloanRewardsCall extends Enum { readonly isAssociateNativeIdentity: boolean; readonly asAssociateNativeIdentity: { @@ -2955,7 +2965,7 @@ declare module "@polkadot/types/lookup" { | "InitializeRewardVec"; } - /** @name SpRuntimeMultiSignature (226) */ + /** @name SpRuntimeMultiSignature (228) */ interface SpRuntimeMultiSignature extends Enum { readonly isEd25519: boolean; readonly asEd25519: U8aFixed; @@ -2966,10 +2976,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Ed25519" | "Sr25519" | "Ecdsa"; } - /** @name CumulusPalletDmpQueueCall (232) */ + /** @name CumulusPalletDmpQueueCall (234) */ type CumulusPalletDmpQueueCall = Null; - /** @name PalletXcmCall (233) */ + /** @name PalletXcmCall (235) */ interface PalletXcmCall extends Enum { readonly isSend: boolean; readonly asSend: { @@ -3072,7 +3082,7 @@ declare module "@polkadot/types/lookup" { | "TransferAssetsUsingTypeAndThen"; } - /** @name XcmVersionedLocation (234) */ + /** @name XcmVersionedLocation (236) */ interface XcmVersionedLocation extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiLocation; @@ -3083,13 +3093,13 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2MultiLocation (235) */ + /** @name XcmV2MultiLocation (237) */ interface XcmV2MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV2MultilocationJunctions; } - /** @name XcmV2MultilocationJunctions (236) */ + /** @name XcmV2MultilocationJunctions (238) */ interface XcmV2MultilocationJunctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3136,7 +3146,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV2Junction (237) */ + /** @name XcmV2Junction (239) */ interface XcmV2Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3179,7 +3189,7 @@ declare module "@polkadot/types/lookup" { | "Plurality"; } - /** @name XcmV2NetworkId (238) */ + /** @name XcmV2NetworkId (240) */ interface XcmV2NetworkId extends Enum { readonly isAny: boolean; readonly isNamed: boolean; @@ -3189,7 +3199,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Any" | "Named" | "Polkadot" | "Kusama"; } - /** @name XcmV2BodyId (240) */ + /** @name XcmV2BodyId (242) */ interface XcmV2BodyId extends Enum { readonly isUnit: boolean; readonly isNamed: boolean; @@ -3216,7 +3226,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV2BodyPart (241) */ + /** @name XcmV2BodyPart (243) */ interface XcmV2BodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -3241,13 +3251,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name StagingXcmV3MultiLocation (242) */ + /** @name StagingXcmV3MultiLocation (244) */ interface StagingXcmV3MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV3Junctions; } - /** @name XcmV3Junctions (243) */ + /** @name XcmV3Junctions (245) */ interface XcmV3Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3294,7 +3304,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV3Junction (244) */ + /** @name XcmV3Junction (246) */ interface XcmV3Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3343,7 +3353,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name XcmV3JunctionNetworkId (246) */ + /** @name XcmV3JunctionNetworkId (248) */ interface XcmV3JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -3378,7 +3388,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmVersionedXcm (247) */ + /** @name XcmVersionedXcm (249) */ interface XcmVersionedXcm extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Xcm; @@ -3389,10 +3399,10 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2Xcm (248) */ + /** @name XcmV2Xcm (250) */ interface XcmV2Xcm extends Vec {} - /** @name XcmV2Instruction (250) */ + /** @name XcmV2Instruction (252) */ interface XcmV2Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV2MultiassetMultiAssets; @@ -3540,16 +3550,16 @@ declare module "@polkadot/types/lookup" { | "UnsubscribeVersion"; } - /** @name XcmV2MultiassetMultiAssets (251) */ + /** @name XcmV2MultiassetMultiAssets (253) */ interface XcmV2MultiassetMultiAssets extends Vec {} - /** @name XcmV2MultiAsset (253) */ + /** @name XcmV2MultiAsset (255) */ interface XcmV2MultiAsset extends Struct { readonly id: XcmV2MultiassetAssetId; readonly fun: XcmV2MultiassetFungibility; } - /** @name XcmV2MultiassetAssetId (254) */ + /** @name XcmV2MultiassetAssetId (256) */ interface XcmV2MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: XcmV2MultiLocation; @@ -3558,7 +3568,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV2MultiassetFungibility (255) */ + /** @name XcmV2MultiassetFungibility (257) */ interface XcmV2MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3567,7 +3577,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2MultiassetAssetInstance (256) */ + /** @name XcmV2MultiassetAssetInstance (258) */ interface XcmV2MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3585,7 +3595,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32" | "Blob"; } - /** @name XcmV2Response (257) */ + /** @name XcmV2Response (259) */ interface XcmV2Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -3597,7 +3607,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Null" | "Assets" | "ExecutionResult" | "Version"; } - /** @name XcmV2TraitsError (260) */ + /** @name XcmV2TraitsError (262) */ interface XcmV2TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -3656,7 +3666,7 @@ declare module "@polkadot/types/lookup" { | "WeightNotComputable"; } - /** @name XcmV2OriginKind (261) */ + /** @name XcmV2OriginKind (263) */ interface XcmV2OriginKind extends Enum { readonly isNative: boolean; readonly isSovereignAccount: boolean; @@ -3665,12 +3675,12 @@ declare module "@polkadot/types/lookup" { readonly type: "Native" | "SovereignAccount" | "Superuser" | "Xcm"; } - /** @name XcmDoubleEncoded (262) */ + /** @name XcmDoubleEncoded (264) */ interface XcmDoubleEncoded extends Struct { readonly encoded: Bytes; } - /** @name XcmV2MultiassetMultiAssetFilter (263) */ + /** @name XcmV2MultiassetMultiAssetFilter (265) */ interface XcmV2MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV2MultiassetMultiAssets; @@ -3679,7 +3689,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV2MultiassetWildMultiAsset (264) */ + /** @name XcmV2MultiassetWildMultiAsset (266) */ interface XcmV2MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -3690,14 +3700,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf"; } - /** @name XcmV2MultiassetWildFungibility (265) */ + /** @name XcmV2MultiassetWildFungibility (267) */ interface XcmV2MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2WeightLimit (266) */ + /** @name XcmV2WeightLimit (268) */ interface XcmV2WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -3705,10 +3715,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmV3Xcm (267) */ + /** @name XcmV3Xcm (269) */ interface XcmV3Xcm extends Vec {} - /** @name XcmV3Instruction (269) */ + /** @name XcmV3Instruction (271) */ interface XcmV3Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV3MultiassetMultiAssets; @@ -3938,16 +3948,16 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name XcmV3MultiassetMultiAssets (270) */ + /** @name XcmV3MultiassetMultiAssets (272) */ interface XcmV3MultiassetMultiAssets extends Vec {} - /** @name XcmV3MultiAsset (272) */ + /** @name XcmV3MultiAsset (274) */ interface XcmV3MultiAsset extends Struct { readonly id: XcmV3MultiassetAssetId; readonly fun: XcmV3MultiassetFungibility; } - /** @name XcmV3MultiassetAssetId (273) */ + /** @name XcmV3MultiassetAssetId (275) */ interface XcmV3MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: StagingXcmV3MultiLocation; @@ -3956,7 +3966,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV3MultiassetFungibility (274) */ + /** @name XcmV3MultiassetFungibility (276) */ interface XcmV3MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3965,7 +3975,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3MultiassetAssetInstance (275) */ + /** @name XcmV3MultiassetAssetInstance (277) */ interface XcmV3MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3981,7 +3991,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name XcmV3Response (276) */ + /** @name XcmV3Response (278) */ interface XcmV3Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4003,7 +4013,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name XcmV3TraitsError (279) */ + /** @name XcmV3TraitsError (281) */ interface XcmV3TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -4090,7 +4100,7 @@ declare module "@polkadot/types/lookup" { | "ExceedsStackLimit"; } - /** @name XcmV3PalletInfo (281) */ + /** @name XcmV3PalletInfo (283) */ interface XcmV3PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4100,7 +4110,7 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3MaybeErrorCode (284) */ + /** @name XcmV3MaybeErrorCode (286) */ interface XcmV3MaybeErrorCode extends Enum { readonly isSuccess: boolean; readonly isError: boolean; @@ -4110,14 +4120,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Success" | "Error" | "TruncatedError"; } - /** @name XcmV3QueryResponseInfo (287) */ + /** @name XcmV3QueryResponseInfo (289) */ interface XcmV3QueryResponseInfo extends Struct { readonly destination: StagingXcmV3MultiLocation; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name XcmV3MultiassetMultiAssetFilter (288) */ + /** @name XcmV3MultiassetMultiAssetFilter (290) */ interface XcmV3MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV3MultiassetMultiAssets; @@ -4126,7 +4136,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV3MultiassetWildMultiAsset (289) */ + /** @name XcmV3MultiassetWildMultiAsset (291) */ interface XcmV3MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4145,14 +4155,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name XcmV3MultiassetWildFungibility (290) */ + /** @name XcmV3MultiassetWildFungibility (292) */ interface XcmV3MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3WeightLimit (291) */ + /** @name XcmV3WeightLimit (293) */ interface XcmV3WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -4160,10 +4170,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name StagingXcmV4Xcm (292) */ + /** @name StagingXcmV4Xcm (294) */ interface StagingXcmV4Xcm extends Vec {} - /** @name StagingXcmV4Instruction (294) */ + /** @name StagingXcmV4Instruction (296) */ interface StagingXcmV4Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: StagingXcmV4AssetAssets; @@ -4393,19 +4403,19 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name StagingXcmV4AssetAssets (295) */ + /** @name StagingXcmV4AssetAssets (297) */ interface StagingXcmV4AssetAssets extends Vec {} - /** @name StagingXcmV4Asset (297) */ + /** @name StagingXcmV4Asset (299) */ interface StagingXcmV4Asset extends Struct { readonly id: StagingXcmV4AssetAssetId; readonly fun: StagingXcmV4AssetFungibility; } - /** @name StagingXcmV4AssetAssetId (298) */ + /** @name StagingXcmV4AssetAssetId (300) */ interface StagingXcmV4AssetAssetId extends StagingXcmV4Location {} - /** @name StagingXcmV4AssetFungibility (299) */ + /** @name StagingXcmV4AssetFungibility (301) */ interface StagingXcmV4AssetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -4414,7 +4424,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmV4AssetAssetInstance (300) */ + /** @name StagingXcmV4AssetAssetInstance (302) */ interface StagingXcmV4AssetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -4430,7 +4440,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name StagingXcmV4Response (301) */ + /** @name StagingXcmV4Response (303) */ interface StagingXcmV4Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4452,7 +4462,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name StagingXcmV4PalletInfo (303) */ + /** @name StagingXcmV4PalletInfo (305) */ interface StagingXcmV4PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4462,14 +4472,14 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name StagingXcmV4QueryResponseInfo (307) */ + /** @name StagingXcmV4QueryResponseInfo (309) */ interface StagingXcmV4QueryResponseInfo extends Struct { readonly destination: StagingXcmV4Location; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name StagingXcmV4AssetAssetFilter (308) */ + /** @name StagingXcmV4AssetAssetFilter (310) */ interface StagingXcmV4AssetAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: StagingXcmV4AssetAssets; @@ -4478,7 +4488,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name StagingXcmV4AssetWildAsset (309) */ + /** @name StagingXcmV4AssetWildAsset (311) */ interface StagingXcmV4AssetWildAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4497,14 +4507,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name StagingXcmV4AssetWildFungibility (310) */ + /** @name StagingXcmV4AssetWildFungibility (312) */ interface StagingXcmV4AssetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmVersionedAssets (311) */ + /** @name XcmVersionedAssets (313) */ interface XcmVersionedAssets extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiassetMultiAssets; @@ -4515,7 +4525,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name StagingXcmExecutorAssetTransferTransferType (323) */ + /** @name StagingXcmExecutorAssetTransferTransferType (325) */ interface StagingXcmExecutorAssetTransferTransferType extends Enum { readonly isTeleport: boolean; readonly isLocalReserve: boolean; @@ -4525,7 +4535,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Teleport" | "LocalReserve" | "DestinationReserve" | "RemoteReserve"; } - /** @name XcmVersionedAssetId (324) */ + /** @name XcmVersionedAssetId (326) */ interface XcmVersionedAssetId extends Enum { readonly isV3: boolean; readonly asV3: XcmV3MultiassetAssetId; @@ -4534,7 +4544,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V3" | "V4"; } - /** @name PalletAssetsCall (325) */ + /** @name PalletAssetsCall (327) */ interface PalletAssetsCall extends Enum { readonly isCreate: boolean; readonly asCreate: { @@ -4748,7 +4758,7 @@ declare module "@polkadot/types/lookup" { | "Block"; } - /** @name PalletAssetManagerCall (326) */ + /** @name PalletAssetManagerCall (328) */ interface PalletAssetManagerCall extends Enum { readonly isRegisterForeignAsset: boolean; readonly asRegisterForeignAsset: { @@ -4757,23 +4767,12 @@ declare module "@polkadot/types/lookup" { readonly minAmount: u128; readonly isSufficient: bool; } & Struct; - readonly isSetAssetUnitsPerSecond: boolean; - readonly asSetAssetUnitsPerSecond: { - readonly assetType: MoonriverRuntimeXcmConfigAssetType; - readonly unitsPerSecond: u128; - readonly numAssetsWeightHint: u32; - } & Struct; readonly isChangeExistingAssetType: boolean; readonly asChangeExistingAssetType: { readonly assetId: u128; readonly newAssetType: MoonriverRuntimeXcmConfigAssetType; readonly numAssetsWeightHint: u32; } & Struct; - readonly isRemoveSupportedAsset: boolean; - readonly asRemoveSupportedAsset: { - readonly assetType: MoonriverRuntimeXcmConfigAssetType; - readonly numAssetsWeightHint: u32; - } & Struct; readonly isRemoveExistingAssetType: boolean; readonly asRemoveExistingAssetType: { readonly assetId: u128; @@ -4786,21 +4785,19 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly type: | "RegisterForeignAsset" - | "SetAssetUnitsPerSecond" | "ChangeExistingAssetType" - | "RemoveSupportedAsset" | "RemoveExistingAssetType" | "DestroyForeignAsset"; } - /** @name MoonriverRuntimeXcmConfigAssetType (327) */ + /** @name MoonriverRuntimeXcmConfigAssetType (329) */ interface MoonriverRuntimeXcmConfigAssetType extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV3MultiLocation; readonly type: "Xcm"; } - /** @name MoonriverRuntimeAssetConfigAssetRegistrarMetadata (328) */ + /** @name MoonriverRuntimeAssetConfigAssetRegistrarMetadata (330) */ interface MoonriverRuntimeAssetConfigAssetRegistrarMetadata extends Struct { readonly name: Bytes; readonly symbol: Bytes; @@ -4808,7 +4805,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name OrmlXtokensModuleCall (329) */ + /** @name OrmlXtokensModuleCall (331) */ interface OrmlXtokensModuleCall extends Enum { readonly isTransfer: boolean; readonly asTransfer: { @@ -4861,7 +4858,7 @@ declare module "@polkadot/types/lookup" { | "TransferMultiassets"; } - /** @name MoonriverRuntimeXcmConfigCurrencyId (330) */ + /** @name MoonriverRuntimeXcmConfigCurrencyId (332) */ interface MoonriverRuntimeXcmConfigCurrencyId extends Enum { readonly isSelfReserve: boolean; readonly isForeignAsset: boolean; @@ -4873,7 +4870,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SelfReserve" | "ForeignAsset" | "Erc20"; } - /** @name XcmVersionedAsset (331) */ + /** @name XcmVersionedAsset (333) */ interface XcmVersionedAsset extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiAsset; @@ -4884,7 +4881,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmTransactorCall (334) */ + /** @name PalletXcmTransactorCall (336) */ interface PalletXcmTransactorCall extends Enum { readonly isRegister: boolean; readonly asRegister: { @@ -4961,19 +4958,19 @@ declare module "@polkadot/types/lookup" { | "HrmpManage"; } - /** @name MoonriverRuntimeXcmConfigTransactors (335) */ + /** @name MoonriverRuntimeXcmConfigTransactors (337) */ interface MoonriverRuntimeXcmConfigTransactors extends Enum { readonly isRelay: boolean; readonly type: "Relay"; } - /** @name PalletXcmTransactorCurrencyPayment (336) */ + /** @name PalletXcmTransactorCurrencyPayment (338) */ interface PalletXcmTransactorCurrencyPayment extends Struct { readonly currency: PalletXcmTransactorCurrency; readonly feeAmount: Option; } - /** @name PalletXcmTransactorCurrency (337) */ + /** @name PalletXcmTransactorCurrency (339) */ interface PalletXcmTransactorCurrency extends Enum { readonly isAsCurrencyId: boolean; readonly asAsCurrencyId: MoonriverRuntimeXcmConfigCurrencyId; @@ -4982,13 +4979,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsCurrencyId" | "AsMultiLocation"; } - /** @name PalletXcmTransactorTransactWeights (339) */ + /** @name PalletXcmTransactorTransactWeights (341) */ interface PalletXcmTransactorTransactWeights extends Struct { readonly transactRequiredWeightAtMost: SpWeightsWeightV2Weight; readonly overallWeight: Option; } - /** @name PalletXcmTransactorHrmpOperation (342) */ + /** @name PalletXcmTransactorHrmpOperation (344) */ interface PalletXcmTransactorHrmpOperation extends Enum { readonly isInitOpen: boolean; readonly asInitOpen: PalletXcmTransactorHrmpInitParams; @@ -5006,20 +5003,20 @@ declare module "@polkadot/types/lookup" { readonly type: "InitOpen" | "Accept" | "Close" | "Cancel"; } - /** @name PalletXcmTransactorHrmpInitParams (343) */ + /** @name PalletXcmTransactorHrmpInitParams (345) */ interface PalletXcmTransactorHrmpInitParams extends Struct { readonly paraId: u32; readonly proposedMaxCapacity: u32; readonly proposedMaxMessageSize: u32; } - /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (344) */ + /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (346) */ interface PolkadotParachainPrimitivesPrimitivesHrmpChannelId extends Struct { readonly sender: u32; readonly recipient: u32; } - /** @name PalletEthereumXcmCall (345) */ + /** @name PalletEthereumXcmCall (347) */ interface PalletEthereumXcmCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -5046,7 +5043,7 @@ declare module "@polkadot/types/lookup" { | "ForceTransactAs"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (346) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (348) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransaction extends Enum { readonly isV1: boolean; readonly asV1: XcmPrimitivesEthereumXcmEthereumXcmTransactionV1; @@ -5055,7 +5052,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V1" | "V2"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (347) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (349) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 extends Struct { readonly gasLimit: U256; readonly feePayment: XcmPrimitivesEthereumXcmEthereumXcmFee; @@ -5065,7 +5062,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (348) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (350) */ interface XcmPrimitivesEthereumXcmEthereumXcmFee extends Enum { readonly isManual: boolean; readonly asManual: XcmPrimitivesEthereumXcmManualEthereumXcmFee; @@ -5073,13 +5070,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Manual" | "Auto"; } - /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (349) */ + /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (351) */ interface XcmPrimitivesEthereumXcmManualEthereumXcmFee extends Struct { readonly gasPrice: Option; readonly maxFeePerGas: Option; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (352) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (354) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 extends Struct { readonly gasLimit: U256; readonly action: EthereumTransactionTransactionAction; @@ -5088,7 +5085,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name PalletMessageQueueCall (354) */ + /** @name PalletMessageQueueCall (356) */ interface PalletMessageQueueCall extends Enum { readonly isReapPage: boolean; readonly asReapPage: { @@ -5105,7 +5102,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ReapPage" | "ExecuteOverweight"; } - /** @name CumulusPrimitivesCoreAggregateMessageOrigin (355) */ + /** @name CumulusPrimitivesCoreAggregateMessageOrigin (357) */ interface CumulusPrimitivesCoreAggregateMessageOrigin extends Enum { readonly isHere: boolean; readonly isParent: boolean; @@ -5114,23 +5111,96 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "Parent" | "Sibling"; } - /** @name PalletRandomnessCall (356) */ + /** @name PalletMoonbeamForeignAssetsCall (358) */ + interface PalletMoonbeamForeignAssetsCall extends Enum { + readonly isCreateForeignAsset: boolean; + readonly asCreateForeignAsset: { + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + readonly decimals: u8; + readonly symbol: Bytes; + readonly name: Bytes; + } & Struct; + readonly isChangeXcmLocation: boolean; + readonly asChangeXcmLocation: { + readonly assetId: u128; + readonly newXcmLocation: StagingXcmV4Location; + } & Struct; + readonly isFreezeForeignAsset: boolean; + readonly asFreezeForeignAsset: { + readonly assetId: u128; + readonly allowXcmDeposit: bool; + } & Struct; + readonly isUnfreezeForeignAsset: boolean; + readonly asUnfreezeForeignAsset: { + readonly assetId: u128; + } & Struct; + readonly type: + | "CreateForeignAsset" + | "ChangeXcmLocation" + | "FreezeForeignAsset" + | "UnfreezeForeignAsset"; + } + + /** @name PalletXcmWeightTraderCall (360) */ + interface PalletXcmWeightTraderCall extends Enum { + readonly isAddAsset: boolean; + readonly asAddAsset: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isEditAsset: boolean; + readonly asEditAsset: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isPauseAssetSupport: boolean; + readonly asPauseAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isResumeAssetSupport: boolean; + readonly asResumeAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isRemoveAsset: boolean; + readonly asRemoveAsset: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly type: + | "AddAsset" + | "EditAsset" + | "PauseAssetSupport" + | "ResumeAssetSupport" + | "RemoveAsset"; + } + + /** @name PalletEmergencyParaXcmCall (361) */ + interface PalletEmergencyParaXcmCall extends Enum { + readonly isPausedToNormal: boolean; + readonly isFastAuthorizeUpgrade: boolean; + readonly asFastAuthorizeUpgrade: { + readonly codeHash: H256; + } & Struct; + readonly type: "PausedToNormal" | "FastAuthorizeUpgrade"; + } + + /** @name PalletRandomnessCall (362) */ interface PalletRandomnessCall extends Enum { readonly isSetBabeRandomnessResults: boolean; readonly type: "SetBabeRandomnessResults"; } - /** @name SpRuntimeBlakeTwo256 (357) */ + /** @name SpRuntimeBlakeTwo256 (363) */ type SpRuntimeBlakeTwo256 = Null; - /** @name PalletConvictionVotingTally (359) */ + /** @name PalletConvictionVotingTally (365) */ interface PalletConvictionVotingTally extends Struct { readonly ayes: u128; readonly nays: u128; readonly support: u128; } - /** @name PalletWhitelistEvent (360) */ + /** @name PalletWhitelistEvent (366) */ interface PalletWhitelistEvent extends Enum { readonly isCallWhitelisted: boolean; readonly asCallWhitelisted: { @@ -5151,19 +5221,19 @@ declare module "@polkadot/types/lookup" { readonly type: "CallWhitelisted" | "WhitelistedCallRemoved" | "WhitelistedCallDispatched"; } - /** @name FrameSupportDispatchPostDispatchInfo (362) */ + /** @name FrameSupportDispatchPostDispatchInfo (368) */ interface FrameSupportDispatchPostDispatchInfo extends Struct { readonly actualWeight: Option; readonly paysFee: FrameSupportDispatchPays; } - /** @name SpRuntimeDispatchErrorWithPostInfo (363) */ + /** @name SpRuntimeDispatchErrorWithPostInfo (369) */ interface SpRuntimeDispatchErrorWithPostInfo extends Struct { readonly postInfo: FrameSupportDispatchPostDispatchInfo; readonly error: SpRuntimeDispatchError; } - /** @name PalletCollectiveEvent (364) */ + /** @name PalletCollectiveEvent (370) */ interface PalletCollectiveEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5214,7 +5284,7 @@ declare module "@polkadot/types/lookup" { | "Closed"; } - /** @name PalletTreasuryEvent (366) */ + /** @name PalletTreasuryEvent (372) */ interface PalletTreasuryEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5302,7 +5372,7 @@ declare module "@polkadot/types/lookup" { | "SpendProcessed"; } - /** @name PalletCrowdloanRewardsEvent (367) */ + /** @name PalletCrowdloanRewardsEvent (373) */ interface PalletCrowdloanRewardsEvent extends Enum { readonly isInitialPaymentMade: boolean; readonly asInitialPaymentMade: ITuple<[AccountId20, u128]>; @@ -5327,7 +5397,7 @@ declare module "@polkadot/types/lookup" { | "InitializedAccountWithNotEnoughContribution"; } - /** @name CumulusPalletXcmpQueueEvent (368) */ + /** @name CumulusPalletXcmpQueueEvent (374) */ interface CumulusPalletXcmpQueueEvent extends Enum { readonly isXcmpMessageSent: boolean; readonly asXcmpMessageSent: { @@ -5336,7 +5406,7 @@ declare module "@polkadot/types/lookup" { readonly type: "XcmpMessageSent"; } - /** @name CumulusPalletXcmEvent (369) */ + /** @name CumulusPalletXcmEvent (375) */ interface CumulusPalletXcmEvent extends Enum { readonly isInvalidFormat: boolean; readonly asInvalidFormat: U8aFixed; @@ -5347,7 +5417,7 @@ declare module "@polkadot/types/lookup" { readonly type: "InvalidFormat" | "UnsupportedVersion" | "ExecutedDownward"; } - /** @name StagingXcmV4TraitsOutcome (370) */ + /** @name StagingXcmV4TraitsOutcome (376) */ interface StagingXcmV4TraitsOutcome extends Enum { readonly isComplete: boolean; readonly asComplete: { @@ -5365,7 +5435,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Complete" | "Incomplete" | "Error"; } - /** @name CumulusPalletDmpQueueEvent (371) */ + /** @name CumulusPalletDmpQueueEvent (377) */ interface CumulusPalletDmpQueueEvent extends Enum { readonly isStartedExport: boolean; readonly isExported: boolean; @@ -5410,7 +5480,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmEvent (372) */ + /** @name PalletXcmEvent (378) */ interface PalletXcmEvent extends Enum { readonly isAttempted: boolean; readonly asAttempted: { @@ -5575,7 +5645,7 @@ declare module "@polkadot/types/lookup" { | "VersionMigrationFinished"; } - /** @name PalletAssetsEvent (373) */ + /** @name PalletAssetsEvent (379) */ interface PalletAssetsEvent extends Enum { readonly isCreated: boolean; readonly asCreated: { @@ -5737,7 +5807,7 @@ declare module "@polkadot/types/lookup" { | "Blocked"; } - /** @name PalletAssetManagerEvent (374) */ + /** @name PalletAssetManagerEvent (380) */ interface PalletAssetManagerEvent extends Enum { readonly isForeignAssetRegistered: boolean; readonly asForeignAssetRegistered: { @@ -5746,10 +5816,6 @@ declare module "@polkadot/types/lookup" { readonly metadata: MoonriverRuntimeAssetConfigAssetRegistrarMetadata; } & Struct; readonly isUnitsPerSecondChanged: boolean; - readonly asUnitsPerSecondChanged: { - readonly assetType: MoonriverRuntimeXcmConfigAssetType; - readonly unitsPerSecond: u128; - } & Struct; readonly isForeignAssetXcmLocationChanged: boolean; readonly asForeignAssetXcmLocationChanged: { readonly assetId: u128; @@ -5783,7 +5849,7 @@ declare module "@polkadot/types/lookup" { | "LocalAssetDestroyed"; } - /** @name OrmlXtokensModuleEvent (375) */ + /** @name OrmlXtokensModuleEvent (381) */ interface OrmlXtokensModuleEvent extends Enum { readonly isTransferredAssets: boolean; readonly asTransferredAssets: { @@ -5795,7 +5861,7 @@ declare module "@polkadot/types/lookup" { readonly type: "TransferredAssets"; } - /** @name PalletXcmTransactorEvent (376) */ + /** @name PalletXcmTransactorEvent (382) */ interface PalletXcmTransactorEvent extends Enum { readonly isTransactedDerivative: boolean; readonly asTransactedDerivative: { @@ -5865,14 +5931,14 @@ declare module "@polkadot/types/lookup" { | "HrmpManagementSent"; } - /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (377) */ + /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (383) */ interface PalletXcmTransactorRemoteTransactInfoWithMaxWeight extends Struct { readonly transactExtraWeight: SpWeightsWeightV2Weight; readonly maxWeight: SpWeightsWeightV2Weight; readonly transactExtraWeightSigned: Option; } - /** @name PalletEthereumXcmEvent (378) */ + /** @name PalletEthereumXcmEvent (384) */ interface PalletEthereumXcmEvent extends Enum { readonly isExecutedFromXcm: boolean; readonly asExecutedFromXcm: { @@ -5882,7 +5948,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ExecutedFromXcm"; } - /** @name PalletMessageQueueEvent (379) */ + /** @name PalletMessageQueueEvent (385) */ interface PalletMessageQueueEvent extends Enum { readonly isProcessingFailed: boolean; readonly asProcessingFailed: { @@ -5912,7 +5978,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProcessingFailed" | "Processed" | "OverweightEnqueued" | "PageReaped"; } - /** @name FrameSupportMessagesProcessMessageError (380) */ + /** @name FrameSupportMessagesProcessMessageError (386) */ interface FrameSupportMessagesProcessMessageError extends Enum { readonly isBadFormat: boolean; readonly isCorrupt: boolean; @@ -5923,7 +5989,76 @@ declare module "@polkadot/types/lookup" { readonly type: "BadFormat" | "Corrupt" | "Unsupported" | "Overweight" | "Yield"; } - /** @name PalletRandomnessEvent (381) */ + /** @name PalletMoonbeamForeignAssetsEvent (387) */ + interface PalletMoonbeamForeignAssetsEvent extends Enum { + readonly isForeignAssetCreated: boolean; + readonly asForeignAssetCreated: { + readonly contractAddress: H160; + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + } & Struct; + readonly isForeignAssetXcmLocationChanged: boolean; + readonly asForeignAssetXcmLocationChanged: { + readonly assetId: u128; + readonly newXcmLocation: StagingXcmV4Location; + } & Struct; + readonly isForeignAssetFrozen: boolean; + readonly asForeignAssetFrozen: { + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + } & Struct; + readonly isForeignAssetUnfrozen: boolean; + readonly asForeignAssetUnfrozen: { + readonly assetId: u128; + readonly xcmLocation: StagingXcmV4Location; + } & Struct; + readonly type: + | "ForeignAssetCreated" + | "ForeignAssetXcmLocationChanged" + | "ForeignAssetFrozen" + | "ForeignAssetUnfrozen"; + } + + /** @name PalletXcmWeightTraderEvent (388) */ + interface PalletXcmWeightTraderEvent extends Enum { + readonly isSupportedAssetAdded: boolean; + readonly asSupportedAssetAdded: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isSupportedAssetEdited: boolean; + readonly asSupportedAssetEdited: { + readonly location: StagingXcmV4Location; + readonly relativePrice: u128; + } & Struct; + readonly isPauseAssetSupport: boolean; + readonly asPauseAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isResumeAssetSupport: boolean; + readonly asResumeAssetSupport: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly isSupportedAssetRemoved: boolean; + readonly asSupportedAssetRemoved: { + readonly location: StagingXcmV4Location; + } & Struct; + readonly type: + | "SupportedAssetAdded" + | "SupportedAssetEdited" + | "PauseAssetSupport" + | "ResumeAssetSupport" + | "SupportedAssetRemoved"; + } + + /** @name PalletEmergencyParaXcmEvent (389) */ + interface PalletEmergencyParaXcmEvent extends Enum { + readonly isEnteredPausedXcmMode: boolean; + readonly isNormalXcmOperationResumed: boolean; + readonly type: "EnteredPausedXcmMode" | "NormalXcmOperationResumed"; + } + + /** @name PalletRandomnessEvent (390) */ interface PalletRandomnessEvent extends Enum { readonly isRandomnessRequestedBabeEpoch: boolean; readonly asRandomnessRequestedBabeEpoch: { @@ -5968,7 +6103,7 @@ declare module "@polkadot/types/lookup" { | "RequestExpirationExecuted"; } - /** @name FrameSystemPhase (382) */ + /** @name FrameSystemPhase (391) */ interface FrameSystemPhase extends Enum { readonly isApplyExtrinsic: boolean; readonly asApplyExtrinsic: u32; @@ -5977,33 +6112,33 @@ declare module "@polkadot/types/lookup" { readonly type: "ApplyExtrinsic" | "Finalization" | "Initialization"; } - /** @name FrameSystemLastRuntimeUpgradeInfo (384) */ + /** @name FrameSystemLastRuntimeUpgradeInfo (393) */ interface FrameSystemLastRuntimeUpgradeInfo extends Struct { readonly specVersion: Compact; readonly specName: Text; } - /** @name FrameSystemCodeUpgradeAuthorization (385) */ + /** @name FrameSystemCodeUpgradeAuthorization (394) */ interface FrameSystemCodeUpgradeAuthorization extends Struct { readonly codeHash: H256; readonly checkVersion: bool; } - /** @name FrameSystemLimitsBlockWeights (386) */ + /** @name FrameSystemLimitsBlockWeights (395) */ interface FrameSystemLimitsBlockWeights extends Struct { readonly baseBlock: SpWeightsWeightV2Weight; readonly maxBlock: SpWeightsWeightV2Weight; readonly perClass: FrameSupportDispatchPerDispatchClassWeightsPerClass; } - /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (387) */ + /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (396) */ interface FrameSupportDispatchPerDispatchClassWeightsPerClass extends Struct { readonly normal: FrameSystemLimitsWeightsPerClass; readonly operational: FrameSystemLimitsWeightsPerClass; readonly mandatory: FrameSystemLimitsWeightsPerClass; } - /** @name FrameSystemLimitsWeightsPerClass (388) */ + /** @name FrameSystemLimitsWeightsPerClass (397) */ interface FrameSystemLimitsWeightsPerClass extends Struct { readonly baseExtrinsic: SpWeightsWeightV2Weight; readonly maxExtrinsic: Option; @@ -6011,25 +6146,25 @@ declare module "@polkadot/types/lookup" { readonly reserved: Option; } - /** @name FrameSystemLimitsBlockLength (389) */ + /** @name FrameSystemLimitsBlockLength (398) */ interface FrameSystemLimitsBlockLength extends Struct { readonly max: FrameSupportDispatchPerDispatchClassU32; } - /** @name FrameSupportDispatchPerDispatchClassU32 (390) */ + /** @name FrameSupportDispatchPerDispatchClassU32 (399) */ interface FrameSupportDispatchPerDispatchClassU32 extends Struct { readonly normal: u32; readonly operational: u32; readonly mandatory: u32; } - /** @name SpWeightsRuntimeDbWeight (391) */ + /** @name SpWeightsRuntimeDbWeight (400) */ interface SpWeightsRuntimeDbWeight extends Struct { readonly read: u64; readonly write: u64; } - /** @name SpVersionRuntimeVersion (392) */ + /** @name SpVersionRuntimeVersion (401) */ interface SpVersionRuntimeVersion extends Struct { readonly specName: Text; readonly implName: Text; @@ -6041,7 +6176,7 @@ declare module "@polkadot/types/lookup" { readonly stateVersion: u8; } - /** @name FrameSystemError (396) */ + /** @name FrameSystemError (405) */ interface FrameSystemError extends Enum { readonly isInvalidSpecName: boolean; readonly isSpecVersionNeedsToIncrease: boolean; @@ -6064,14 +6199,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (398) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (407) */ interface CumulusPalletParachainSystemUnincludedSegmentAncestor extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly paraHeadHash: Option; readonly consumedGoAheadSignal: Option; } - /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (399) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (408) */ interface CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth extends Struct { readonly umpMsgCount: u32; readonly umpTotalBytes: u32; @@ -6081,33 +6216,33 @@ declare module "@polkadot/types/lookup" { >; } - /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (401) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (410) */ interface CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate extends Struct { readonly msgCount: u32; readonly totalBytes: u32; } - /** @name PolkadotPrimitivesV7UpgradeGoAhead (405) */ + /** @name PolkadotPrimitivesV7UpgradeGoAhead (414) */ interface PolkadotPrimitivesV7UpgradeGoAhead extends Enum { readonly isAbort: boolean; readonly isGoAhead: boolean; readonly type: "Abort" | "GoAhead"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (406) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (415) */ interface CumulusPalletParachainSystemUnincludedSegmentSegmentTracker extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly hrmpWatermark: Option; readonly consumedGoAheadSignal: Option; } - /** @name PolkadotPrimitivesV7UpgradeRestriction (408) */ + /** @name PolkadotPrimitivesV7UpgradeRestriction (417) */ interface PolkadotPrimitivesV7UpgradeRestriction extends Enum { readonly isPresent: boolean; readonly type: "Present"; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (409) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (418) */ interface CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot extends Struct { readonly dmqMqcHead: H256; readonly relayDispatchQueueRemainingCapacity: CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity; @@ -6115,14 +6250,14 @@ declare module "@polkadot/types/lookup" { readonly egressChannels: Vec>; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (410) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (419) */ interface CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity extends Struct { readonly remainingCount: u32; readonly remainingSize: u32; } - /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (413) */ + /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (422) */ interface PolkadotPrimitivesV7AbridgedHrmpChannel extends Struct { readonly maxCapacity: u32; readonly maxTotalSize: u32; @@ -6132,7 +6267,7 @@ declare module "@polkadot/types/lookup" { readonly mqcHead: Option; } - /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (414) */ + /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (423) */ interface PolkadotPrimitivesV7AbridgedHostConfiguration extends Struct { readonly maxCodeSize: u32; readonly maxHeadDataSize: u32; @@ -6146,19 +6281,19 @@ declare module "@polkadot/types/lookup" { readonly asyncBackingParams: PolkadotPrimitivesV7AsyncBackingAsyncBackingParams; } - /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (415) */ + /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (424) */ interface PolkadotPrimitivesV7AsyncBackingAsyncBackingParams extends Struct { readonly maxCandidateDepth: u32; readonly allowedAncestryLen: u32; } - /** @name PolkadotCorePrimitivesOutboundHrmpMessage (421) */ + /** @name PolkadotCorePrimitivesOutboundHrmpMessage (430) */ interface PolkadotCorePrimitivesOutboundHrmpMessage extends Struct { readonly recipient: u32; readonly data: Bytes; } - /** @name CumulusPalletParachainSystemError (423) */ + /** @name CumulusPalletParachainSystemError (432) */ interface CumulusPalletParachainSystemError extends Enum { readonly isOverlappingUpgrades: boolean; readonly isProhibitedByPolkadot: boolean; @@ -6179,14 +6314,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletBalancesBalanceLock (425) */ + /** @name PalletBalancesBalanceLock (434) */ interface PalletBalancesBalanceLock extends Struct { readonly id: U8aFixed; readonly amount: u128; readonly reasons: PalletBalancesReasons; } - /** @name PalletBalancesReasons (426) */ + /** @name PalletBalancesReasons (435) */ interface PalletBalancesReasons extends Enum { readonly isFee: boolean; readonly isMisc: boolean; @@ -6194,32 +6329,32 @@ declare module "@polkadot/types/lookup" { readonly type: "Fee" | "Misc" | "All"; } - /** @name PalletBalancesReserveData (429) */ + /** @name PalletBalancesReserveData (438) */ interface PalletBalancesReserveData extends Struct { readonly id: U8aFixed; readonly amount: u128; } - /** @name MoonriverRuntimeRuntimeHoldReason (433) */ + /** @name MoonriverRuntimeRuntimeHoldReason (442) */ interface MoonriverRuntimeRuntimeHoldReason extends Enum { readonly isPreimage: boolean; readonly asPreimage: PalletPreimageHoldReason; readonly type: "Preimage"; } - /** @name PalletPreimageHoldReason (434) */ + /** @name PalletPreimageHoldReason (443) */ interface PalletPreimageHoldReason extends Enum { readonly isPreimage: boolean; readonly type: "Preimage"; } - /** @name PalletBalancesIdAmount (437) */ + /** @name PalletBalancesIdAmount (446) */ interface PalletBalancesIdAmount extends Struct { readonly id: Null; readonly amount: u128; } - /** @name PalletBalancesError (439) */ + /** @name PalletBalancesError (448) */ interface PalletBalancesError extends Enum { readonly isVestingBalance: boolean; readonly isLiquidityRestrictions: boolean; @@ -6248,20 +6383,14 @@ declare module "@polkadot/types/lookup" { | "DeltaZero"; } - /** @name PalletTransactionPaymentReleases (440) */ + /** @name PalletTransactionPaymentReleases (449) */ interface PalletTransactionPaymentReleases extends Enum { readonly isV1Ancient: boolean; readonly isV2: boolean; readonly type: "V1Ancient" | "V2"; } - /** @name PalletParachainStakingParachainBondConfig (441) */ - interface PalletParachainStakingParachainBondConfig extends Struct { - readonly account: AccountId20; - readonly percent: Percent; - } - - /** @name PalletParachainStakingRoundInfo (442) */ + /** @name PalletParachainStakingRoundInfo (450) */ interface PalletParachainStakingRoundInfo extends Struct { readonly current: u32; readonly first: u32; @@ -6269,7 +6398,7 @@ declare module "@polkadot/types/lookup" { readonly firstSlot: u64; } - /** @name PalletParachainStakingDelegator (443) */ + /** @name PalletParachainStakingDelegator (451) */ interface PalletParachainStakingDelegator extends Struct { readonly id: AccountId20; readonly delegations: PalletParachainStakingSetOrderedSet; @@ -6278,16 +6407,16 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingDelegatorStatus; } - /** @name PalletParachainStakingSetOrderedSet (444) */ + /** @name PalletParachainStakingSetOrderedSet (452) */ interface PalletParachainStakingSetOrderedSet extends Vec {} - /** @name PalletParachainStakingBond (445) */ + /** @name PalletParachainStakingBond (453) */ interface PalletParachainStakingBond extends Struct { readonly owner: AccountId20; readonly amount: u128; } - /** @name PalletParachainStakingDelegatorStatus (447) */ + /** @name PalletParachainStakingDelegatorStatus (455) */ interface PalletParachainStakingDelegatorStatus extends Enum { readonly isActive: boolean; readonly isLeaving: boolean; @@ -6295,7 +6424,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Leaving"; } - /** @name PalletParachainStakingCandidateMetadata (448) */ + /** @name PalletParachainStakingCandidateMetadata (456) */ interface PalletParachainStakingCandidateMetadata extends Struct { readonly bond: u128; readonly delegationCount: u32; @@ -6309,7 +6438,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingCollatorStatus; } - /** @name PalletParachainStakingCapacityStatus (449) */ + /** @name PalletParachainStakingCapacityStatus (457) */ interface PalletParachainStakingCapacityStatus extends Enum { readonly isFull: boolean; readonly isEmpty: boolean; @@ -6317,13 +6446,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Full" | "Empty" | "Partial"; } - /** @name PalletParachainStakingCandidateBondLessRequest (451) */ + /** @name PalletParachainStakingCandidateBondLessRequest (459) */ interface PalletParachainStakingCandidateBondLessRequest extends Struct { readonly amount: u128; readonly whenExecutable: u32; } - /** @name PalletParachainStakingCollatorStatus (452) */ + /** @name PalletParachainStakingCollatorStatus (460) */ interface PalletParachainStakingCollatorStatus extends Enum { readonly isActive: boolean; readonly isIdle: boolean; @@ -6332,50 +6461,50 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Idle" | "Leaving"; } - /** @name PalletParachainStakingDelegationRequestsScheduledRequest (454) */ + /** @name PalletParachainStakingDelegationRequestsScheduledRequest (462) */ interface PalletParachainStakingDelegationRequestsScheduledRequest extends Struct { readonly delegator: AccountId20; readonly whenExecutable: u32; readonly action: PalletParachainStakingDelegationRequestsDelegationAction; } - /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (457) */ + /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (465) */ interface PalletParachainStakingAutoCompoundAutoCompoundConfig extends Struct { readonly delegator: AccountId20; readonly value: Percent; } - /** @name PalletParachainStakingDelegations (459) */ + /** @name PalletParachainStakingDelegations (467) */ interface PalletParachainStakingDelegations extends Struct { readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingSetBoundedOrderedSet (461) */ + /** @name PalletParachainStakingSetBoundedOrderedSet (469) */ interface PalletParachainStakingSetBoundedOrderedSet extends Vec {} - /** @name PalletParachainStakingCollatorSnapshot (464) */ + /** @name PalletParachainStakingCollatorSnapshot (472) */ interface PalletParachainStakingCollatorSnapshot extends Struct { readonly bond: u128; readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingBondWithAutoCompound (466) */ + /** @name PalletParachainStakingBondWithAutoCompound (474) */ interface PalletParachainStakingBondWithAutoCompound extends Struct { readonly owner: AccountId20; readonly amount: u128; readonly autoCompound: Percent; } - /** @name PalletParachainStakingDelayedPayout (467) */ + /** @name PalletParachainStakingDelayedPayout (475) */ interface PalletParachainStakingDelayedPayout extends Struct { readonly roundIssuance: u128; readonly totalStakingReward: u128; readonly collatorCommission: Perbill; } - /** @name PalletParachainStakingInflationInflationInfo (468) */ + /** @name PalletParachainStakingInflationInflationInfo (476) */ interface PalletParachainStakingInflationInflationInfo extends Struct { readonly expect: { readonly min: u128; @@ -6394,7 +6523,7 @@ declare module "@polkadot/types/lookup" { } & Struct; } - /** @name PalletParachainStakingError (469) */ + /** @name PalletParachainStakingError (477) */ interface PalletParachainStakingError extends Enum { readonly isDelegatorDNE: boolean; readonly isDelegatorDNEinTopNorBottom: boolean; @@ -6423,6 +6552,7 @@ declare module "@polkadot/types/lookup" { readonly isCannotSetBelowMin: boolean; readonly isRoundLengthMustBeGreaterThanTotalSelectedCollators: boolean; readonly isNoWritingSameValue: boolean; + readonly isTotalInflationDistributionPercentExceeds100: boolean; readonly isTooLowCandidateCountWeightHintJoinCandidates: boolean; readonly isTooLowCandidateCountWeightHintCancelLeaveCandidates: boolean; readonly isTooLowCandidateCountToLeaveCandidates: boolean; @@ -6479,6 +6609,7 @@ declare module "@polkadot/types/lookup" { | "CannotSetBelowMin" | "RoundLengthMustBeGreaterThanTotalSelectedCollators" | "NoWritingSameValue" + | "TotalInflationDistributionPercentExceeds100" | "TooLowCandidateCountWeightHintJoinCandidates" | "TooLowCandidateCountWeightHintCancelLeaveCandidates" | "TooLowCandidateCountToLeaveCandidates" @@ -6509,7 +6640,7 @@ declare module "@polkadot/types/lookup" { | "CurrentRoundTooLow"; } - /** @name PalletAuthorInherentError (470) */ + /** @name PalletAuthorInherentError (478) */ interface PalletAuthorInherentError extends Enum { readonly isAuthorAlreadySet: boolean; readonly isNoAccountId: boolean; @@ -6517,14 +6648,14 @@ declare module "@polkadot/types/lookup" { readonly type: "AuthorAlreadySet" | "NoAccountId" | "CannotBeAuthor"; } - /** @name PalletAuthorMappingRegistrationInfo (471) */ + /** @name PalletAuthorMappingRegistrationInfo (479) */ interface PalletAuthorMappingRegistrationInfo extends Struct { readonly account: AccountId20; readonly deposit: u128; readonly keys_: SessionKeysPrimitivesVrfVrfCryptoPublic; } - /** @name PalletAuthorMappingError (472) */ + /** @name PalletAuthorMappingError (480) */ interface PalletAuthorMappingError extends Enum { readonly isAssociationNotFound: boolean; readonly isNotYourAssociation: boolean; @@ -6545,20 +6676,20 @@ declare module "@polkadot/types/lookup" { | "DecodeKeysFailed"; } - /** @name PalletMoonbeamOrbitersCollatorPoolInfo (473) */ + /** @name PalletMoonbeamOrbitersCollatorPoolInfo (481) */ interface PalletMoonbeamOrbitersCollatorPoolInfo extends Struct { readonly orbiters: Vec; readonly maybeCurrentOrbiter: Option; readonly nextOrbiter: u32; } - /** @name PalletMoonbeamOrbitersCurrentOrbiter (475) */ + /** @name PalletMoonbeamOrbitersCurrentOrbiter (483) */ interface PalletMoonbeamOrbitersCurrentOrbiter extends Struct { readonly accountId: AccountId20; readonly removed: bool; } - /** @name PalletMoonbeamOrbitersError (476) */ + /** @name PalletMoonbeamOrbitersError (484) */ interface PalletMoonbeamOrbitersError extends Enum { readonly isCollatorAlreadyAdded: boolean; readonly isCollatorNotFound: boolean; @@ -6581,27 +6712,27 @@ declare module "@polkadot/types/lookup" { | "OrbiterStillInAPool"; } - /** @name PalletUtilityError (479) */ + /** @name PalletUtilityError (487) */ interface PalletUtilityError extends Enum { readonly isTooManyCalls: boolean; readonly type: "TooManyCalls"; } - /** @name PalletProxyProxyDefinition (482) */ + /** @name PalletProxyProxyDefinition (490) */ interface PalletProxyProxyDefinition extends Struct { readonly delegate: AccountId20; readonly proxyType: MoonriverRuntimeProxyType; readonly delay: u32; } - /** @name PalletProxyAnnouncement (486) */ + /** @name PalletProxyAnnouncement (494) */ interface PalletProxyAnnouncement extends Struct { readonly real: AccountId20; readonly callHash: H256; readonly height: u32; } - /** @name PalletProxyError (488) */ + /** @name PalletProxyError (496) */ interface PalletProxyError extends Enum { readonly isTooMany: boolean; readonly isNotFound: boolean; @@ -6622,34 +6753,34 @@ declare module "@polkadot/types/lookup" { | "NoSelfProxy"; } - /** @name PalletMaintenanceModeError (489) */ + /** @name PalletMaintenanceModeError (497) */ interface PalletMaintenanceModeError extends Enum { readonly isAlreadyInMaintenanceMode: boolean; readonly isNotInMaintenanceMode: boolean; readonly type: "AlreadyInMaintenanceMode" | "NotInMaintenanceMode"; } - /** @name PalletIdentityRegistration (491) */ + /** @name PalletIdentityRegistration (499) */ interface PalletIdentityRegistration extends Struct { readonly judgements: Vec>; readonly deposit: u128; readonly info: PalletIdentityLegacyIdentityInfo; } - /** @name PalletIdentityRegistrarInfo (500) */ + /** @name PalletIdentityRegistrarInfo (508) */ interface PalletIdentityRegistrarInfo extends Struct { readonly account: AccountId20; readonly fee: u128; readonly fields: u64; } - /** @name PalletIdentityAuthorityProperties (502) */ + /** @name PalletIdentityAuthorityProperties (510) */ interface PalletIdentityAuthorityProperties extends Struct { readonly suffix: Bytes; readonly allocation: u32; } - /** @name PalletIdentityError (505) */ + /** @name PalletIdentityError (513) */ interface PalletIdentityError extends Enum { readonly isTooManySubAccounts: boolean; readonly isNotFound: boolean; @@ -6706,7 +6837,7 @@ declare module "@polkadot/types/lookup" { | "NotExpired"; } - /** @name PalletMigrationsError (506) */ + /** @name PalletMigrationsError (514) */ interface PalletMigrationsError extends Enum { readonly isPreimageMissing: boolean; readonly isWrongUpperBound: boolean; @@ -6719,7 +6850,7 @@ declare module "@polkadot/types/lookup" { | "PreimageAlreadyExists"; } - /** @name PalletMultisigMultisig (508) */ + /** @name PalletMultisigMultisig (516) */ interface PalletMultisigMultisig extends Struct { readonly when: PalletMultisigTimepoint; readonly deposit: u128; @@ -6727,7 +6858,7 @@ declare module "@polkadot/types/lookup" { readonly approvals: Vec; } - /** @name PalletMultisigError (510) */ + /** @name PalletMultisigError (518) */ interface PalletMultisigError extends Enum { readonly isMinimumThreshold: boolean; readonly isAlreadyApproved: boolean; @@ -6760,21 +6891,28 @@ declare module "@polkadot/types/lookup" { | "AlreadyStored"; } - /** @name PalletMoonbeamLazyMigrationsError (511) */ + /** @name PalletMoonbeamLazyMigrationsError (519) */ interface PalletMoonbeamLazyMigrationsError extends Enum { readonly isLimitCannotBeZero: boolean; readonly isAddressesLengthCannotBeZero: boolean; readonly isContractNotCorrupted: boolean; - readonly type: "LimitCannotBeZero" | "AddressesLengthCannotBeZero" | "ContractNotCorrupted"; + readonly isContractMetadataAlreadySet: boolean; + readonly isContractNotExist: boolean; + readonly type: + | "LimitCannotBeZero" + | "AddressesLengthCannotBeZero" + | "ContractNotCorrupted" + | "ContractMetadataAlreadySet" + | "ContractNotExist"; } - /** @name PalletEvmCodeMetadata (512) */ + /** @name PalletEvmCodeMetadata (520) */ interface PalletEvmCodeMetadata extends Struct { readonly size_: u64; readonly hash_: H256; } - /** @name PalletEvmError (514) */ + /** @name PalletEvmError (522) */ interface PalletEvmError extends Enum { readonly isBalanceLow: boolean; readonly isFeeOverflow: boolean; @@ -6805,7 +6943,7 @@ declare module "@polkadot/types/lookup" { | "Undefined"; } - /** @name FpRpcTransactionStatus (517) */ + /** @name FpRpcTransactionStatus (525) */ interface FpRpcTransactionStatus extends Struct { readonly transactionHash: H256; readonly transactionIndex: u32; @@ -6816,10 +6954,10 @@ declare module "@polkadot/types/lookup" { readonly logsBloom: EthbloomBloom; } - /** @name EthbloomBloom (519) */ + /** @name EthbloomBloom (527) */ interface EthbloomBloom extends U8aFixed {} - /** @name EthereumReceiptReceiptV3 (521) */ + /** @name EthereumReceiptReceiptV3 (529) */ interface EthereumReceiptReceiptV3 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumReceiptEip658ReceiptData; @@ -6830,7 +6968,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumReceiptEip658ReceiptData (522) */ + /** @name EthereumReceiptEip658ReceiptData (530) */ interface EthereumReceiptEip658ReceiptData extends Struct { readonly statusCode: u8; readonly usedGas: U256; @@ -6838,14 +6976,14 @@ declare module "@polkadot/types/lookup" { readonly logs: Vec; } - /** @name EthereumBlock (523) */ + /** @name EthereumBlock (531) */ interface EthereumBlock extends Struct { readonly header: EthereumHeader; readonly transactions: Vec; readonly ommers: Vec; } - /** @name EthereumHeader (524) */ + /** @name EthereumHeader (532) */ interface EthereumHeader extends Struct { readonly parentHash: H256; readonly ommersHash: H256; @@ -6864,17 +7002,17 @@ declare module "@polkadot/types/lookup" { readonly nonce: EthereumTypesHashH64; } - /** @name EthereumTypesHashH64 (525) */ + /** @name EthereumTypesHashH64 (533) */ interface EthereumTypesHashH64 extends U8aFixed {} - /** @name PalletEthereumError (530) */ + /** @name PalletEthereumError (538) */ interface PalletEthereumError extends Enum { readonly isInvalidSignature: boolean; readonly isPreLogExists: boolean; readonly type: "InvalidSignature" | "PreLogExists"; } - /** @name PalletSchedulerScheduled (533) */ + /** @name PalletSchedulerScheduled (541) */ interface PalletSchedulerScheduled extends Struct { readonly maybeId: Option; readonly priority: u8; @@ -6883,14 +7021,14 @@ declare module "@polkadot/types/lookup" { readonly origin: MoonriverRuntimeOriginCaller; } - /** @name PalletSchedulerRetryConfig (535) */ + /** @name PalletSchedulerRetryConfig (543) */ interface PalletSchedulerRetryConfig extends Struct { readonly totalRetries: u8; readonly remaining: u8; readonly period: u32; } - /** @name PalletSchedulerError (536) */ + /** @name PalletSchedulerError (544) */ interface PalletSchedulerError extends Enum { readonly isFailedToSchedule: boolean; readonly isNotFound: boolean; @@ -6905,7 +7043,7 @@ declare module "@polkadot/types/lookup" { | "Named"; } - /** @name PalletPreimageOldRequestStatus (537) */ + /** @name PalletPreimageOldRequestStatus (545) */ interface PalletPreimageOldRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -6921,7 +7059,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageRequestStatus (540) */ + /** @name PalletPreimageRequestStatus (548) */ interface PalletPreimageRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -6937,7 +7075,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageError (546) */ + /** @name PalletPreimageError (554) */ interface PalletPreimageError extends Enum { readonly isTooBig: boolean; readonly isAlreadyNoted: boolean; @@ -6958,7 +7096,7 @@ declare module "@polkadot/types/lookup" { | "TooFew"; } - /** @name PalletConvictionVotingVoteVoting (548) */ + /** @name PalletConvictionVotingVoteVoting (556) */ interface PalletConvictionVotingVoteVoting extends Enum { readonly isCasting: boolean; readonly asCasting: PalletConvictionVotingVoteCasting; @@ -6967,23 +7105,23 @@ declare module "@polkadot/types/lookup" { readonly type: "Casting" | "Delegating"; } - /** @name PalletConvictionVotingVoteCasting (549) */ + /** @name PalletConvictionVotingVoteCasting (557) */ interface PalletConvictionVotingVoteCasting extends Struct { readonly votes: Vec>; readonly delegations: PalletConvictionVotingDelegations; readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingDelegations (553) */ + /** @name PalletConvictionVotingDelegations (561) */ interface PalletConvictionVotingDelegations extends Struct { readonly votes: u128; readonly capital: u128; } - /** @name PalletConvictionVotingVotePriorLock (554) */ + /** @name PalletConvictionVotingVotePriorLock (562) */ interface PalletConvictionVotingVotePriorLock extends ITuple<[u32, u128]> {} - /** @name PalletConvictionVotingVoteDelegating (555) */ + /** @name PalletConvictionVotingVoteDelegating (563) */ interface PalletConvictionVotingVoteDelegating extends Struct { readonly balance: u128; readonly target: AccountId20; @@ -6992,7 +7130,7 @@ declare module "@polkadot/types/lookup" { readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingError (559) */ + /** @name PalletConvictionVotingError (567) */ interface PalletConvictionVotingError extends Enum { readonly isNotOngoing: boolean; readonly isNotVoter: boolean; @@ -7021,7 +7159,7 @@ declare module "@polkadot/types/lookup" { | "BadClass"; } - /** @name PalletReferendaReferendumInfo (560) */ + /** @name PalletReferendaReferendumInfo (568) */ interface PalletReferendaReferendumInfo extends Enum { readonly isOngoing: boolean; readonly asOngoing: PalletReferendaReferendumStatus; @@ -7046,7 +7184,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ongoing" | "Approved" | "Rejected" | "Cancelled" | "TimedOut" | "Killed"; } - /** @name PalletReferendaReferendumStatus (561) */ + /** @name PalletReferendaReferendumStatus (569) */ interface PalletReferendaReferendumStatus extends Struct { readonly track: u16; readonly origin: MoonriverRuntimeOriginCaller; @@ -7061,19 +7199,19 @@ declare module "@polkadot/types/lookup" { readonly alarm: Option]>>; } - /** @name PalletReferendaDeposit (562) */ + /** @name PalletReferendaDeposit (570) */ interface PalletReferendaDeposit extends Struct { readonly who: AccountId20; readonly amount: u128; } - /** @name PalletReferendaDecidingStatus (565) */ + /** @name PalletReferendaDecidingStatus (573) */ interface PalletReferendaDecidingStatus extends Struct { readonly since: u32; readonly confirming: Option; } - /** @name PalletReferendaTrackInfo (573) */ + /** @name PalletReferendaTrackInfo (581) */ interface PalletReferendaTrackInfo extends Struct { readonly name: Text; readonly maxDeciding: u32; @@ -7086,7 +7224,7 @@ declare module "@polkadot/types/lookup" { readonly minSupport: PalletReferendaCurve; } - /** @name PalletReferendaCurve (574) */ + /** @name PalletReferendaCurve (582) */ interface PalletReferendaCurve extends Enum { readonly isLinearDecreasing: boolean; readonly asLinearDecreasing: { @@ -7110,7 +7248,7 @@ declare module "@polkadot/types/lookup" { readonly type: "LinearDecreasing" | "SteppedDecreasing" | "Reciprocal"; } - /** @name PalletReferendaError (577) */ + /** @name PalletReferendaError (585) */ interface PalletReferendaError extends Enum { readonly isNotOngoing: boolean; readonly isHasDeposit: boolean; @@ -7143,7 +7281,7 @@ declare module "@polkadot/types/lookup" { | "PreimageStoredWithDifferentLength"; } - /** @name PalletWhitelistError (578) */ + /** @name PalletWhitelistError (586) */ interface PalletWhitelistError extends Enum { readonly isUnavailablePreImage: boolean; readonly isUndecodableCall: boolean; @@ -7158,7 +7296,7 @@ declare module "@polkadot/types/lookup" { | "CallAlreadyWhitelisted"; } - /** @name PalletCollectiveVotes (580) */ + /** @name PalletCollectiveVotes (588) */ interface PalletCollectiveVotes extends Struct { readonly index: u32; readonly threshold: u32; @@ -7167,7 +7305,7 @@ declare module "@polkadot/types/lookup" { readonly end: u32; } - /** @name PalletCollectiveError (581) */ + /** @name PalletCollectiveError (589) */ interface PalletCollectiveError extends Enum { readonly isNotMember: boolean; readonly isDuplicateProposal: boolean; @@ -7194,7 +7332,7 @@ declare module "@polkadot/types/lookup" { | "PrimeAccountNotMember"; } - /** @name PalletTreasuryProposal (584) */ + /** @name PalletTreasuryProposal (592) */ interface PalletTreasuryProposal extends Struct { readonly proposer: AccountId20; readonly value: u128; @@ -7202,7 +7340,7 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; } - /** @name PalletTreasurySpendStatus (587) */ + /** @name PalletTreasurySpendStatus (595) */ interface PalletTreasurySpendStatus extends Struct { readonly assetKind: Null; readonly amount: u128; @@ -7212,7 +7350,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletTreasuryPaymentState; } - /** @name PalletTreasuryPaymentState (588) */ + /** @name PalletTreasuryPaymentState (596) */ interface PalletTreasuryPaymentState extends Enum { readonly isPending: boolean; readonly isAttempted: boolean; @@ -7223,10 +7361,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "Attempted" | "Failed"; } - /** @name FrameSupportPalletId (590) */ + /** @name FrameSupportPalletId (598) */ interface FrameSupportPalletId extends U8aFixed {} - /** @name PalletTreasuryError (591) */ + /** @name PalletTreasuryError (599) */ interface PalletTreasuryError extends Enum { readonly isInsufficientProposersBalance: boolean; readonly isInvalidIndex: boolean; @@ -7255,14 +7393,14 @@ declare module "@polkadot/types/lookup" { | "Inconclusive"; } - /** @name PalletCrowdloanRewardsRewardInfo (592) */ + /** @name PalletCrowdloanRewardsRewardInfo (600) */ interface PalletCrowdloanRewardsRewardInfo extends Struct { readonly totalReward: u128; readonly claimedReward: u128; readonly contributedRelayAddresses: Vec; } - /** @name PalletCrowdloanRewardsError (594) */ + /** @name PalletCrowdloanRewardsError (602) */ interface PalletCrowdloanRewardsError extends Enum { readonly isAlreadyAssociated: boolean; readonly isBatchBeyondFundPot: boolean; @@ -7297,7 +7435,7 @@ declare module "@polkadot/types/lookup" { | "InsufficientNumberOfValidProofs"; } - /** @name CumulusPalletXcmpQueueOutboundChannelDetails (599) */ + /** @name CumulusPalletXcmpQueueOutboundChannelDetails (607) */ interface CumulusPalletXcmpQueueOutboundChannelDetails extends Struct { readonly recipient: u32; readonly state: CumulusPalletXcmpQueueOutboundState; @@ -7306,21 +7444,21 @@ declare module "@polkadot/types/lookup" { readonly lastIndex: u16; } - /** @name CumulusPalletXcmpQueueOutboundState (600) */ + /** @name CumulusPalletXcmpQueueOutboundState (608) */ interface CumulusPalletXcmpQueueOutboundState extends Enum { readonly isOk: boolean; readonly isSuspended: boolean; readonly type: "Ok" | "Suspended"; } - /** @name CumulusPalletXcmpQueueQueueConfigData (602) */ + /** @name CumulusPalletXcmpQueueQueueConfigData (610) */ interface CumulusPalletXcmpQueueQueueConfigData extends Struct { readonly suspendThreshold: u32; readonly dropThreshold: u32; readonly resumeThreshold: u32; } - /** @name CumulusPalletXcmpQueueError (603) */ + /** @name CumulusPalletXcmpQueueError (611) */ interface CumulusPalletXcmpQueueError extends Enum { readonly isBadQueueConfig: boolean; readonly isAlreadySuspended: boolean; @@ -7328,7 +7466,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadQueueConfig" | "AlreadySuspended" | "AlreadyResumed"; } - /** @name CumulusPalletDmpQueueMigrationState (604) */ + /** @name CumulusPalletDmpQueueMigrationState (612) */ interface CumulusPalletDmpQueueMigrationState extends Enum { readonly isNotStarted: boolean; readonly isStartedExport: boolean; @@ -7356,7 +7494,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmQueryStatus (607) */ + /** @name PalletXcmQueryStatus (615) */ interface PalletXcmQueryStatus extends Enum { readonly isPending: boolean; readonly asPending: { @@ -7378,7 +7516,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "VersionNotifier" | "Ready"; } - /** @name XcmVersionedResponse (611) */ + /** @name XcmVersionedResponse (619) */ interface XcmVersionedResponse extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Response; @@ -7389,7 +7527,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmVersionMigrationStage (617) */ + /** @name PalletXcmVersionMigrationStage (625) */ interface PalletXcmVersionMigrationStage extends Enum { readonly isMigrateSupportedVersion: boolean; readonly isMigrateVersionNotifiers: boolean; @@ -7403,7 +7541,7 @@ declare module "@polkadot/types/lookup" { | "MigrateAndNotifyOldTargets"; } - /** @name PalletXcmRemoteLockedFungibleRecord (620) */ + /** @name PalletXcmRemoteLockedFungibleRecord (628) */ interface PalletXcmRemoteLockedFungibleRecord extends Struct { readonly amount: u128; readonly owner: XcmVersionedLocation; @@ -7411,7 +7549,7 @@ declare module "@polkadot/types/lookup" { readonly consumers: Vec>; } - /** @name PalletXcmError (627) */ + /** @name PalletXcmError (635) */ interface PalletXcmError extends Enum { readonly isUnreachable: boolean; readonly isSendFailure: boolean; @@ -7464,7 +7602,7 @@ declare module "@polkadot/types/lookup" { | "LocalExecutionIncomplete"; } - /** @name PalletAssetsAssetDetails (628) */ + /** @name PalletAssetsAssetDetails (636) */ interface PalletAssetsAssetDetails extends Struct { readonly owner: AccountId20; readonly issuer: AccountId20; @@ -7480,7 +7618,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletAssetsAssetStatus; } - /** @name PalletAssetsAssetStatus (629) */ + /** @name PalletAssetsAssetStatus (637) */ interface PalletAssetsAssetStatus extends Enum { readonly isLive: boolean; readonly isFrozen: boolean; @@ -7488,7 +7626,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Live" | "Frozen" | "Destroying"; } - /** @name PalletAssetsAssetAccount (631) */ + /** @name PalletAssetsAssetAccount (639) */ interface PalletAssetsAssetAccount extends Struct { readonly balance: u128; readonly status: PalletAssetsAccountStatus; @@ -7496,7 +7634,7 @@ declare module "@polkadot/types/lookup" { readonly extra: Null; } - /** @name PalletAssetsAccountStatus (632) */ + /** @name PalletAssetsAccountStatus (640) */ interface PalletAssetsAccountStatus extends Enum { readonly isLiquid: boolean; readonly isFrozen: boolean; @@ -7504,7 +7642,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Liquid" | "Frozen" | "Blocked"; } - /** @name PalletAssetsExistenceReason (633) */ + /** @name PalletAssetsExistenceReason (641) */ interface PalletAssetsExistenceReason extends Enum { readonly isConsumer: boolean; readonly isSufficient: boolean; @@ -7516,13 +7654,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Consumer" | "Sufficient" | "DepositHeld" | "DepositRefunded" | "DepositFrom"; } - /** @name PalletAssetsApproval (635) */ + /** @name PalletAssetsApproval (643) */ interface PalletAssetsApproval extends Struct { readonly amount: u128; readonly deposit: u128; } - /** @name PalletAssetsAssetMetadata (636) */ + /** @name PalletAssetsAssetMetadata (644) */ interface PalletAssetsAssetMetadata extends Struct { readonly deposit: u128; readonly name: Bytes; @@ -7531,7 +7669,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletAssetsError (638) */ + /** @name PalletAssetsError (646) */ interface PalletAssetsError extends Enum { readonly isBalanceLow: boolean; readonly isNoAccount: boolean; @@ -7576,7 +7714,7 @@ declare module "@polkadot/types/lookup" { | "CallbackFailed"; } - /** @name PalletAssetManagerError (640) */ + /** @name PalletAssetManagerError (647) */ interface PalletAssetManagerError extends Enum { readonly isErrorCreatingAsset: boolean; readonly isAssetAlreadyExists: boolean; @@ -7597,7 +7735,7 @@ declare module "@polkadot/types/lookup" { | "NonExistentLocalAsset"; } - /** @name OrmlXtokensModuleError (641) */ + /** @name OrmlXtokensModuleError (648) */ interface OrmlXtokensModuleError extends Enum { readonly isAssetHasNoReserve: boolean; readonly isNotCrossChainTransfer: boolean; @@ -7642,7 +7780,7 @@ declare module "@polkadot/types/lookup" { | "RateLimited"; } - /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (642) */ + /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (649) */ interface PalletXcmTransactorRelayIndicesRelayChainIndices extends Struct { readonly staking: u8; readonly utility: u8; @@ -7664,7 +7802,7 @@ declare module "@polkadot/types/lookup" { readonly cancelOpenRequest: u8; } - /** @name PalletXcmTransactorError (643) */ + /** @name PalletXcmTransactorError (650) */ interface PalletXcmTransactorError extends Enum { readonly isIndexAlreadyClaimed: boolean; readonly isUnclaimedIndex: boolean; @@ -7723,13 +7861,13 @@ declare module "@polkadot/types/lookup" { | "RefundNotSupportedWithTransactInfo"; } - /** @name PalletEthereumXcmError (644) */ + /** @name PalletEthereumXcmError (651) */ interface PalletEthereumXcmError extends Enum { readonly isEthereumXcmExecutionSuspended: boolean; readonly type: "EthereumXcmExecutionSuspended"; } - /** @name PalletMessageQueueBookState (645) */ + /** @name PalletMessageQueueBookState (652) */ interface PalletMessageQueueBookState extends Struct { readonly begin: u32; readonly end: u32; @@ -7739,13 +7877,13 @@ declare module "@polkadot/types/lookup" { readonly size_: u64; } - /** @name PalletMessageQueueNeighbours (647) */ + /** @name PalletMessageQueueNeighbours (654) */ interface PalletMessageQueueNeighbours extends Struct { readonly prev: CumulusPrimitivesCoreAggregateMessageOrigin; readonly next: CumulusPrimitivesCoreAggregateMessageOrigin; } - /** @name PalletMessageQueuePage (649) */ + /** @name PalletMessageQueuePage (656) */ interface PalletMessageQueuePage extends Struct { readonly remaining: u32; readonly remainingSize: u32; @@ -7755,7 +7893,7 @@ declare module "@polkadot/types/lookup" { readonly heap: Bytes; } - /** @name PalletMessageQueueError (651) */ + /** @name PalletMessageQueueError (658) */ interface PalletMessageQueueError extends Enum { readonly isNotReapable: boolean; readonly isNoPage: boolean; @@ -7778,19 +7916,90 @@ declare module "@polkadot/types/lookup" { | "RecursiveDisallowed"; } - /** @name PalletPrecompileBenchmarksError (653) */ + /** @name PalletMoonbeamForeignAssetsAssetStatus (660) */ + interface PalletMoonbeamForeignAssetsAssetStatus extends Enum { + readonly isActive: boolean; + readonly isFrozenXcmDepositAllowed: boolean; + readonly isFrozenXcmDepositForbidden: boolean; + readonly type: "Active" | "FrozenXcmDepositAllowed" | "FrozenXcmDepositForbidden"; + } + + /** @name PalletMoonbeamForeignAssetsError (661) */ + interface PalletMoonbeamForeignAssetsError extends Enum { + readonly isAssetAlreadyExists: boolean; + readonly isAssetAlreadyFrozen: boolean; + readonly isAssetDoesNotExist: boolean; + readonly isAssetIdFiltered: boolean; + readonly isAssetNotFrozen: boolean; + readonly isCorruptedStorageOrphanLocation: boolean; + readonly isErc20ContractCreationFail: boolean; + readonly isEvmCallPauseFail: boolean; + readonly isEvmCallUnpauseFail: boolean; + readonly isEvmInternalError: boolean; + readonly isInvalidSymbol: boolean; + readonly isInvalidTokenName: boolean; + readonly isLocationAlreadyExists: boolean; + readonly isTooManyForeignAssets: boolean; + readonly type: + | "AssetAlreadyExists" + | "AssetAlreadyFrozen" + | "AssetDoesNotExist" + | "AssetIdFiltered" + | "AssetNotFrozen" + | "CorruptedStorageOrphanLocation" + | "Erc20ContractCreationFail" + | "EvmCallPauseFail" + | "EvmCallUnpauseFail" + | "EvmInternalError" + | "InvalidSymbol" + | "InvalidTokenName" + | "LocationAlreadyExists" + | "TooManyForeignAssets"; + } + + /** @name PalletXcmWeightTraderError (663) */ + interface PalletXcmWeightTraderError extends Enum { + readonly isAssetAlreadyAdded: boolean; + readonly isAssetAlreadyPaused: boolean; + readonly isAssetNotFound: boolean; + readonly isAssetNotPaused: boolean; + readonly isXcmLocationFiltered: boolean; + readonly isPriceCannotBeZero: boolean; + readonly type: + | "AssetAlreadyAdded" + | "AssetAlreadyPaused" + | "AssetNotFound" + | "AssetNotPaused" + | "XcmLocationFiltered" + | "PriceCannotBeZero"; + } + + /** @name PalletEmergencyParaXcmXcmMode (664) */ + interface PalletEmergencyParaXcmXcmMode extends Enum { + readonly isNormal: boolean; + readonly isPaused: boolean; + readonly type: "Normal" | "Paused"; + } + + /** @name PalletEmergencyParaXcmError (665) */ + interface PalletEmergencyParaXcmError extends Enum { + readonly isNotInPausedMode: boolean; + readonly type: "NotInPausedMode"; + } + + /** @name PalletPrecompileBenchmarksError (667) */ interface PalletPrecompileBenchmarksError extends Enum { readonly isBenchmarkError: boolean; readonly type: "BenchmarkError"; } - /** @name PalletRandomnessRequestState (654) */ + /** @name PalletRandomnessRequestState (668) */ interface PalletRandomnessRequestState extends Struct { readonly request: PalletRandomnessRequest; readonly deposit: u128; } - /** @name PalletRandomnessRequest (655) */ + /** @name PalletRandomnessRequest (669) */ interface PalletRandomnessRequest extends Struct { readonly refundAddress: H160; readonly contractAddress: H160; @@ -7801,7 +8010,7 @@ declare module "@polkadot/types/lookup" { readonly info: PalletRandomnessRequestInfo; } - /** @name PalletRandomnessRequestInfo (656) */ + /** @name PalletRandomnessRequestInfo (670) */ interface PalletRandomnessRequestInfo extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: ITuple<[u64, u64]>; @@ -7810,7 +8019,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRequestType (657) */ + /** @name PalletRandomnessRequestType (671) */ interface PalletRandomnessRequestType extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: u64; @@ -7819,13 +8028,13 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRandomnessResult (658) */ + /** @name PalletRandomnessRandomnessResult (672) */ interface PalletRandomnessRandomnessResult extends Struct { readonly randomness: Option; readonly requestCount: u64; } - /** @name PalletRandomnessError (659) */ + /** @name PalletRandomnessError (673) */ interface PalletRandomnessError extends Enum { readonly isRequestCounterOverflowed: boolean; readonly isRequestFeeOverflowed: boolean; @@ -7854,27 +8063,42 @@ declare module "@polkadot/types/lookup" { | "RandomnessResultNotFilled"; } - /** @name FrameSystemExtensionsCheckNonZeroSender (662) */ + /** @name FrameSystemExtensionsCheckNonZeroSender (676) */ type FrameSystemExtensionsCheckNonZeroSender = Null; - /** @name FrameSystemExtensionsCheckSpecVersion (663) */ + /** @name FrameSystemExtensionsCheckSpecVersion (677) */ type FrameSystemExtensionsCheckSpecVersion = Null; - /** @name FrameSystemExtensionsCheckTxVersion (664) */ + /** @name FrameSystemExtensionsCheckTxVersion (678) */ type FrameSystemExtensionsCheckTxVersion = Null; - /** @name FrameSystemExtensionsCheckGenesis (665) */ + /** @name FrameSystemExtensionsCheckGenesis (679) */ type FrameSystemExtensionsCheckGenesis = Null; - /** @name FrameSystemExtensionsCheckNonce (668) */ + /** @name FrameSystemExtensionsCheckNonce (682) */ interface FrameSystemExtensionsCheckNonce extends Compact {} - /** @name FrameSystemExtensionsCheckWeight (669) */ + /** @name FrameSystemExtensionsCheckWeight (683) */ type FrameSystemExtensionsCheckWeight = Null; - /** @name PalletTransactionPaymentChargeTransactionPayment (670) */ + /** @name PalletTransactionPaymentChargeTransactionPayment (684) */ interface PalletTransactionPaymentChargeTransactionPayment extends Compact {} - /** @name MoonriverRuntimeRuntime (672) */ + /** @name FrameMetadataHashExtensionCheckMetadataHash (685) */ + interface FrameMetadataHashExtensionCheckMetadataHash extends Struct { + readonly mode: FrameMetadataHashExtensionMode; + } + + /** @name FrameMetadataHashExtensionMode (686) */ + interface FrameMetadataHashExtensionMode extends Enum { + readonly isDisabled: boolean; + readonly isEnabled: boolean; + readonly type: "Disabled" | "Enabled"; + } + + /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (687) */ + type CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim = Null; + + /** @name MoonriverRuntimeRuntime (689) */ type MoonriverRuntimeRuntime = Null; } // declare module diff --git a/typescript-api/src/moonriver/interfaces/types.ts b/typescript-api/src/moonriver/interfaces/types.ts index 11b9b02166..35d50cccd0 100644 --- a/typescript-api/src/moonriver/interfaces/types.ts +++ b/typescript-api/src/moonriver/interfaces/types.ts @@ -1,4 +1,4 @@ // Auto-generated via `yarn polkadot-types-from-defs`, do not edit /* eslint-disable */ -export * from "./moon/types.js"; +export * from "./empty/types.js"; From 783262991cc8e5aef3c5b95a7c5101811ede6d2a Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 26 Sep 2024 10:25:52 +0000 Subject: [PATCH 06/37] fix test --- .../dev/moonbase/test-precompile/test-precompile-democracy.ts | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts b/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts index 06533493d2..667fb02a66 100644 --- a/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts +++ b/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts @@ -30,9 +30,9 @@ describeSuite({ .polkadotJs() .query.parachainStaking.inflationDistributionInfo(); expect(inflationDistributionConfig[0].account.toString()).to.equal(ZERO_ADDRESS); - expect(inflationDistributionConfig[0].percent).to.equal(30); + expect(inflationDistributionConfig[0].percent.toNumber()).to.equal(30); expect(inflationDistributionConfig[1].account.toString()).to.equal(ZERO_ADDRESS); - expect(inflationDistributionConfig[1].percent).to.equal(0); + expect(inflationDistributionConfig[1].percent.toNumber()).to.equal(0); }, }); From 12274aa2a32ddfaac92aebea82fbe53962b2a5c2 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 26 Sep 2024 13:49:22 +0000 Subject: [PATCH 07/37] lock --- test/pnpm-lock.yaml | 14169 +++++++++++++++++++++++------------------- 1 file changed, 7763 insertions(+), 6406 deletions(-) diff --git a/test/pnpm-lock.yaml b/test/pnpm-lock.yaml index 72501f0426..cd7faf294b 100644 --- a/test/pnpm-lock.yaml +++ b/test/pnpm-lock.yaml @@ -1,1013 +1,6671 @@ -lockfileVersion: '6.0' +lockfileVersion: '9.0' settings: autoInstallPeers: true excludeLinksFromLockfile: false -dependencies: - '@acala-network/chopsticks': - specifier: 0.15.0 - version: 0.15.0(debug@4.3.7) - '@moonbeam-network/api-augment': - specifier: 0.2902.0 - version: 0.2902.0 - '@moonwall/cli': - specifier: 5.3.3 - version: 5.3.3(@acala-network/chopsticks@0.15.0)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1) - '@moonwall/util': - specifier: 5.3.3 - version: 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1) - '@openzeppelin/contracts': - specifier: 4.9.6 - version: 4.9.6 - '@polkadot-api/merkleize-metadata': - specifier: 1.1.4 - version: 1.1.4 - '@polkadot/api': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/api-augment': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/api-derive': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/apps-config': - specifier: 0.143.2 - version: 0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1) - '@polkadot/keyring': - specifier: 13.1.1 - version: 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/rpc-provider': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/types': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/types-codec': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/util': - specifier: 13.1.1 - version: 13.1.1 - '@polkadot/util-crypto': - specifier: 13.1.1 - version: 13.1.1(@polkadot/util@13.1.1) - '@substrate/txwrapper-core': - specifier: 7.5.1 - version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@substrate/txwrapper-substrate': - specifier: 7.5.1 - version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@vitest/ui': - specifier: 2.1.1 - version: 2.1.1(vitest@2.1.1) - '@zombienet/utils': - specifier: 0.0.25 - version: 0.0.25(@types/node@22.7.0)(typescript@5.6.2) - chalk: - specifier: 5.3.0 - version: 5.3.0 - eth-object: - specifier: github:aurora-is-near/eth-object#master - version: github.com/aurora-is-near/eth-object/378b8dbf44a71f7049666cea5a16ab88d45aed06 - ethers: - specifier: 6.13.2 - version: 6.13.2 - json-bigint: - specifier: 1.0.0 - version: 1.0.0 - json-stable-stringify: - specifier: 1.1.1 - version: 1.1.1 - merkle-patricia-tree: - specifier: 4.2.4 - version: 4.2.4 - node-fetch: - specifier: 3.3.2 - version: 3.3.2 - octokit: - specifier: ^4.0.2 - version: 4.0.2 - randomness: - specifier: 1.6.14 - version: 1.6.14 - rlp: - specifier: 3.0.0 - version: 3.0.0 - semver: - specifier: 7.6.3 - version: 7.6.3 - solc: - specifier: 0.8.25 - version: 0.8.25(debug@4.3.7) - tsx: - specifier: 4.16.2 - version: 4.16.2 - viem: - specifier: 2.21.14 - version: 2.21.14(typescript@5.6.2) - vitest: - specifier: 2.1.1 - version: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) - web3: - specifier: 4.13.0 - version: 4.13.0(typescript@5.6.2) - yaml: - specifier: 2.5.1 - version: 2.5.1 - -devDependencies: - '@types/debug': - specifier: 4.1.12 - version: 4.1.12 - '@types/json-bigint': - specifier: ^1.0.4 - version: 1.0.4 - '@types/node': - specifier: 22.7.0 - version: 22.7.0 - '@types/semver': - specifier: 7.5.8 - version: 7.5.8 - '@types/yargs': - specifier: 17.0.33 - version: 17.0.33 - '@typescript-eslint/eslint-plugin': - specifier: 7.5.0 - version: 7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2) - '@typescript-eslint/parser': - specifier: 7.5.0 - version: 7.5.0(eslint@8.57.0)(typescript@5.6.2) - bottleneck: - specifier: 2.19.5 - version: 2.19.5 - debug: - specifier: 4.3.7 - version: 4.3.7(supports-color@8.1.1) - eslint: - specifier: 8.57.0 - version: 8.57.0 - eslint-plugin-unused-imports: - specifier: 3.1.0 - version: 3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0) - prettier: - specifier: 2.8.8 - version: 2.8.8 - typescript: - specifier: 5.6.2 - version: 5.6.2 - yargs: - specifier: 17.7.2 - version: 17.7.2 +importers: + + .: + dependencies: + '@acala-network/chopsticks': + specifier: 0.15.0 + version: 0.15.0(debug@4.3.7) + '@moonbeam-network/api-augment': + specifier: 0.2902.0 + version: link:../typescript-api + '@moonwall/cli': + specifier: 5.3.3 + version: 5.3.3(@acala-network/chopsticks@0.15.0)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1) + '@moonwall/util': + specifier: 5.3.3 + version: 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1) + '@openzeppelin/contracts': + specifier: 4.9.6 + version: 4.9.6 + '@polkadot-api/merkleize-metadata': + specifier: 1.1.4 + version: 1.1.4 + '@polkadot/api': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/api-augment': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/api-derive': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/apps-config': + specifier: 0.143.2 + version: 0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1) + '@polkadot/keyring': + specifier: 13.1.1 + version: 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/rpc-provider': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/types': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/types-codec': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/util': + specifier: 13.1.1 + version: 13.1.1 + '@polkadot/util-crypto': + specifier: 13.1.1 + version: 13.1.1(@polkadot/util@13.1.1) + '@substrate/txwrapper-core': + specifier: 7.5.1 + version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@substrate/txwrapper-substrate': + specifier: 7.5.1 + version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@vitest/ui': + specifier: 2.1.1 + version: 2.1.1(vitest@2.1.1) + '@zombienet/utils': + specifier: 0.0.25 + version: 0.0.25(@types/node@22.7.0)(typescript@5.6.2) + chalk: + specifier: 5.3.0 + version: 5.3.0 + eth-object: + specifier: github:aurora-is-near/eth-object#master + version: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06 + ethers: + specifier: 6.13.2 + version: 6.13.2 + json-bigint: + specifier: 1.0.0 + version: 1.0.0 + json-stable-stringify: + specifier: 1.1.1 + version: 1.1.1 + merkle-patricia-tree: + specifier: 4.2.4 + version: 4.2.4 + node-fetch: + specifier: 3.3.2 + version: 3.3.2 + octokit: + specifier: ^4.0.2 + version: 4.0.2 + randomness: + specifier: 1.6.14 + version: 1.6.14 + rlp: + specifier: 3.0.0 + version: 3.0.0 + semver: + specifier: 7.6.3 + version: 7.6.3 + solc: + specifier: 0.8.25 + version: 0.8.25(debug@4.3.7) + tsx: + specifier: 4.16.2 + version: 4.16.2 + viem: + specifier: 2.21.14 + version: 2.21.14(typescript@5.6.2) + vitest: + specifier: 2.1.1 + version: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) + web3: + specifier: 4.13.0 + version: 4.13.0(typescript@5.6.2) + yaml: + specifier: 2.5.1 + version: 2.5.1 + devDependencies: + '@types/debug': + specifier: 4.1.12 + version: 4.1.12 + '@types/json-bigint': + specifier: ^1.0.4 + version: 1.0.4 + '@types/node': + specifier: 22.7.0 + version: 22.7.0 + '@types/semver': + specifier: 7.5.8 + version: 7.5.8 + '@types/yargs': + specifier: 17.0.33 + version: 17.0.33 + '@typescript-eslint/eslint-plugin': + specifier: 7.5.0 + version: 7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2) + '@typescript-eslint/parser': + specifier: 7.5.0 + version: 7.5.0(eslint@8.57.0)(typescript@5.6.2) + bottleneck: + specifier: 2.19.5 + version: 2.19.5 + debug: + specifier: 4.3.7 + version: 4.3.7(supports-color@8.1.1) + eslint: + specifier: 8.57.0 + version: 8.57.0 + eslint-plugin-unused-imports: + specifier: 3.1.0 + version: 3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0) + prettier: + specifier: 2.8.8 + version: 2.8.8 + typescript: + specifier: 5.6.2 + version: 5.6.2 + yargs: + specifier: 17.7.2 + version: 17.7.2 packages: - /@acala-network/chopsticks-core@0.15.0: + '@acala-network/chopsticks-core@0.15.0': resolution: {integrity: sha512-yLtgVuJUXegyO9HQ483ARl8Q74eXH4K6RsGy+NZ8nE3uJocxG8DXnI2YQlyPmyzZSOlKq6zHnZzbosNBOhVsMA==} - dependencies: - '@acala-network/chopsticks-executor': 0.15.0 - '@polkadot/rpc-provider': 12.4.2 - '@polkadot/types': 12.4.2 - '@polkadot/types-codec': 12.4.2 - '@polkadot/types-known': 12.4.2 - '@polkadot/util': 13.1.1 - '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - comlink: 4.4.1 - eventemitter3: 5.0.1 - lodash: 4.17.21 - lru-cache: 10.3.0 - pino: 8.21.0 - pino-pretty: 11.2.1 - rxjs: 7.8.1 - zod: 3.23.8 - transitivePeerDependencies: - - bufferutil - - supports-color - - utf-8-validate - dev: false - /@acala-network/chopsticks-db@0.15.0: + '@acala-network/chopsticks-db@0.15.0': resolution: {integrity: sha512-gN2v404ZdBvQtMWZmwS1LJ2OxEvZY74sWIZwpoAQrT3Q2Ey0eW0TNjkgHsyBGLT3DyekEooLHTwAzbH3D55fNA==} - dependencies: - '@acala-network/chopsticks-core': 0.15.0 - '@polkadot/util': 13.1.1 - idb: 8.0.0 - sqlite3: 5.1.7 - typeorm: 0.3.20(sqlite3@5.1.7) - transitivePeerDependencies: - - '@google-cloud/spanner' - - '@sap/hana-client' - - better-sqlite3 - - bluebird - - bufferutil - - hdb-pool - - ioredis - - mongodb - - mssql - - mysql2 - - oracledb - - pg - - pg-native - - pg-query-stream - - redis - - sql.js - - supports-color - - ts-node - - typeorm-aurora-data-api-driver - - utf-8-validate - dev: false - /@acala-network/chopsticks-executor@0.15.0: + '@acala-network/chopsticks-executor@0.15.0': resolution: {integrity: sha512-j2dhg1ETKgKJqDjVeVMdUG7uqhvoMS7rjSty0CXRBUeen5TlVoEt3FqLfUDVa3S5CBnKs2YgYUAURGjfXiegTg==} - dependencies: - '@polkadot/util': 13.1.1 - '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - dev: false - /@acala-network/chopsticks@0.15.0(debug@4.3.7): + '@acala-network/chopsticks@0.15.0': resolution: {integrity: sha512-57DRkTrsZrSHzWxch9yeDjVZpUJnm42W7sgM1ihYcjcgtCWuTbPG2sul1jP/VHvueDCr+84Hu6gIb45iwdkVvw==} hasBin: true - dependencies: - '@acala-network/chopsticks-core': 0.15.0 - '@acala-network/chopsticks-db': 0.15.0 - '@pnpm/npm-conf': 2.2.2 - '@polkadot/api': 12.4.2 - '@polkadot/api-augment': 12.4.2 - '@polkadot/rpc-provider': 12.4.2 - '@polkadot/types': 12.4.2 - '@polkadot/util': 13.1.1 - '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - axios: 1.7.7(debug@4.3.7) - comlink: 4.4.1 - dotenv: 16.4.5 - global-agent: 3.0.0 - js-yaml: 4.1.0 - jsondiffpatch: 0.5.0 - lodash: 4.17.21 - ws: 8.18.0 - yargs: 17.7.2 - zod: 3.23.8 - transitivePeerDependencies: - - '@google-cloud/spanner' - - '@sap/hana-client' - - better-sqlite3 - - bluebird - - bufferutil - - debug - - hdb-pool - - ioredis - - mongodb - - mssql - - mysql2 - - oracledb - - pg - - pg-native - - pg-query-stream - - redis - - sql.js - - supports-color - - ts-node - - typeorm-aurora-data-api-driver - - utf-8-validate - dev: false - /@acala-network/type-definitions@5.1.2(@polkadot/types@12.4.2): + '@acala-network/type-definitions@5.1.2': resolution: {integrity: sha512-di3HH8Zn8i1jkQkQiwc44A8ovN9MvK5HwcNV3ngvW3TeF0dHbpHBQHdElJYpVge5IaEyhQ0kWihIEnVqpw4G9A==} peerDependencies: '@polkadot/types': ^10.5.1 - dependencies: - '@polkadot/types': 12.4.2 - dev: false - /@adraffy/ens-normalize@1.10.0: + '@adraffy/ens-normalize@1.10.0': resolution: {integrity: sha512-nA9XHtlAkYfJxY7bce8DcN7eKxWWCWkU+1GR9d+U6MbNpfwQp8TI7vqOsBsMcHoT4mBu2kypKoSKnghEzOOq5Q==} - dev: false - /@adraffy/ens-normalize@1.10.1: + '@adraffy/ens-normalize@1.10.1': resolution: {integrity: sha512-96Z2IP3mYmF1Xg2cDm8f1gWGf/HUVedQ3FMifV4kG/PQ4yEP51xDtRAEfhVNt5f/uzpNkZHwWQuUcu6D6K+Ekw==} - dev: false - /@asamuzakjp/dom-selector@2.0.2: + '@asamuzakjp/dom-selector@2.0.2': resolution: {integrity: sha512-x1KXOatwofR6ZAYzXRBL5wrdV0vwNxlTCK9NCuLqAzQYARqGcvFwiJA6A1ERuh+dgeA4Dxm3JBYictIes+SqUQ==} - dependencies: - bidi-js: 1.0.3 - css-tree: 2.3.1 - is-potential-custom-element-name: 1.0.1 - dev: false - /@babel/helper-string-parser@7.24.7: + '@babel/helper-string-parser@7.24.7': resolution: {integrity: sha512-7MbVt6xrwFQbunH2DNQsAP5sTGxfqQtErvBIvIMi6EQnbgUOuVYanvREcmFrOPhoXBrTtjhhP+lW+o5UfK+tDg==} engines: {node: '>=6.9.0'} - dev: false - /@babel/helper-validator-identifier@7.24.7: + '@babel/helper-validator-identifier@7.24.7': resolution: {integrity: sha512-rR+PBcQ1SMQDDyF6X0wxtG8QyLCgUB0eRAGguqRLfkCA87l7yAP7ehq8SNj96OOGTO8OBV70KhuFYcIkHXOg0w==} engines: {node: '>=6.9.0'} - dev: false - /@babel/parser@7.24.7: + '@babel/parser@7.24.7': resolution: {integrity: sha512-9uUYRm6OqQrCqQdG1iCBwBPZgN8ciDBro2nIOFaiRz1/BCxaI7CNvQbDHvsArAC7Tw9Hda/B3U+6ui9u4HWXPw==} engines: {node: '>=6.0.0'} hasBin: true - dependencies: - '@babel/types': 7.24.7 - dev: false - /@babel/runtime@7.25.6: + '@babel/runtime@7.25.6': resolution: {integrity: sha512-VBj9MYyDb9tuLq7yzqjgzt6Q+IBQLrGZfdjOekyEirZPHxXWoTSGUTMrpsfi58Up73d13NfYLv8HT9vmznjzhQ==} engines: {node: '>=6.9.0'} - dependencies: - regenerator-runtime: 0.14.1 - dev: false - /@babel/types@7.24.7: + '@babel/types@7.24.7': resolution: {integrity: sha512-XEFXSlxiG5td2EJRe8vOmRbaXVgfcBlszKujvVmWIK/UpywWljQCfzAv3RQCGujWQ1RD4YYWEAqDXfuJiy8f5Q==} engines: {node: '>=6.9.0'} - dependencies: - '@babel/helper-string-parser': 7.24.7 - '@babel/helper-validator-identifier': 7.24.7 - to-fast-properties: 2.0.0 - dev: false - /@bifrost-finance/type-definitions@1.11.3(@polkadot/api@12.4.2): + '@bifrost-finance/type-definitions@1.11.3': resolution: {integrity: sha512-mNW+FfvKZqa1axChEd1ReRpw3P8siiW28YQ8BBJpR2syZqb5cJWOG4Sr/dj3lBcBNQqcqnAUkZPnBxQj8+Ftvg==} peerDependencies: '@polkadot/api': ^10.7.3 - dependencies: - '@polkadot/api': 12.4.2 - dev: false - /@colors/colors@1.5.0: + '@colors/colors@1.5.0': resolution: {integrity: sha512-ooWCrlZP11i8GImSjTHYHLkvFDP48nS4+204nGb1RiX/WXYHmJA2III9/e2DWVabCESdW7hBAEzHRqUn9OUVvQ==} engines: {node: '>=0.1.90'} - requiresBuild: true - dev: false - optional: true - /@crustio/type-definitions@1.3.0: + '@crustio/type-definitions@1.3.0': resolution: {integrity: sha512-xdW6npZTmWfDzZEVCMjRK7f7wQrU/cgIltGlvnXY2AFD2m9uBW+s6/lx9YHuLbk7y3NrrQwbp3owFuGw4A2hNw==} - dependencies: - '@open-web3/orml-type-definitions': 0.9.4-38 - dev: false - /@cspotcode/source-map-support@0.8.1: + '@cspotcode/source-map-support@0.8.1': resolution: {integrity: sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==} engines: {node: '>=12'} - dependencies: - '@jridgewell/trace-mapping': 0.3.9 - dev: false - /@darwinia/types-known@2.8.10: + '@darwinia/types-known@2.8.10': resolution: {integrity: sha512-bdNzf1gOw0is3PvcQJXkjf5jp8j0pT0wDxamkwLdajMymWgi0cReReDlhmGNx4Qvq6gy3TVJ9aok0Nsrr4sjKg==} - dev: false - /@darwinia/types@2.8.10: + '@darwinia/types@2.8.10': resolution: {integrity: sha512-Iz1Bz06doQ8WXSiVmGIANBxYOh8s3pMUfL97rnxq55MH2Qf6291GzYv9Or18GQ3A0j7yhkBbqnFN6Q8BDwzLYQ==} - dev: false - /@digitalnative/type-definitions@1.1.27(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): + '@digitalnative/type-definitions@1.1.27': resolution: {integrity: sha512-xzkcPX/yv4oYp7OzlkfozVR1KDwqLjQFJhIPLJp3zuVudGFo4I+spwFQmWQswcxgZI1HGoQGVePzEqAQIRZtVQ==} - dependencies: - '@polkadot/keyring': 6.11.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/types': 4.17.1 - transitivePeerDependencies: - - '@polkadot/util' - - '@polkadot/util-crypto' - dev: false - /@docknetwork/node-types@0.16.0: + '@docknetwork/node-types@0.16.0': resolution: {integrity: sha512-VUZB8guX9161hDIEVn/UKJEUlXjIDE6vH5flx6uDHVc0QOhBy1bq6AGLayG4ZH19dCN39ta2sKGIFq9wLO4H2A==} engines: {node: '>=14.0.0'} - dev: false - /@edgeware/node-types@3.6.2-wako: + '@edgeware/node-types@3.6.2-wako': resolution: {integrity: sha512-kBGCoWoRSUOj864BiTwHGfsfuhGr2ycWEsjw9FB2VdJ5esJDVq3K6WZs/J2rtrtybKJWADqIp5K0ptDBlg1XqA==} engines: {node: '>=14.0.0'} - dev: false - /@emotion/is-prop-valid@1.2.2: + '@emotion/is-prop-valid@1.2.2': resolution: {integrity: sha512-uNsoYd37AFmaCdXlg6EYD1KaPOaRWRByMCYzbKUX4+hhMfrxdVSelShywL4JVaAeM/eHUOSprYBQls+/neX3pw==} - dependencies: - '@emotion/memoize': 0.8.1 - dev: false - /@emotion/memoize@0.8.1: + '@emotion/memoize@0.8.1': resolution: {integrity: sha512-W2P2c/VRW1/1tLox0mVUalvnWXxavmv/Oum2aPsRcoDJuob75FC3Y8FbpfLwUegRcxINtGUMPq0tFCvYNTBXNA==} - dev: false - /@emotion/unitless@0.8.1: + '@emotion/unitless@0.8.1': resolution: {integrity: sha512-KOEGMu6dmJZtpadb476IsZBclKvILjopjUii3V+7MnXIQCYh8W3NgNcgwo21n9LXZX6EDIKvqfjYxXebDwxKmQ==} - dev: false - /@equilab/definitions@1.4.18: + '@equilab/definitions@1.4.18': resolution: {integrity: sha512-rFEPaHmdn5I1QItbQun9H/x+o3hgjA6kLYLrNN6nl/ndtQMY2tqx/mQfcGIlKA1xVmyn9mUAqD8G0P/nBHD3yA==} - dev: false - /@esbuild/aix-ppc64@0.19.12: + '@esbuild/aix-ppc64@0.19.12': resolution: {integrity: sha512-bmoCYyWdEL3wDQIVbcyzRyeKLgk2WtWLTWz1ZIAZF/EGbNOwSA6ew3PftJ1PqMiOOGu0OyFMzG53L0zqIpPeNA==} engines: {node: '>=12'} cpu: [ppc64] os: [aix] - requiresBuild: true - dev: false - optional: true - /@esbuild/aix-ppc64@0.21.5: + '@esbuild/aix-ppc64@0.21.5': resolution: {integrity: sha512-1SDgH6ZSPTlggy1yI6+Dbkiz8xzpHJEVAlF/AM1tHPLsf5STom9rwtjE4hKAF20FfXXNTFqEYXyJNWh1GiZedQ==} engines: {node: '>=12'} cpu: [ppc64] os: [aix] - requiresBuild: true - dev: false - optional: true - /@esbuild/android-arm64@0.19.12: + '@esbuild/android-arm64@0.19.12': resolution: {integrity: sha512-P0UVNGIienjZv3f5zq0DP3Nt2IE/3plFzuaS96vihvD0Hd6H/q4WXUGpCxD/E8YrSXfNyRPbpTq+T8ZQioSuPA==} engines: {node: '>=12'} cpu: [arm64] os: [android] - requiresBuild: true - dev: false - optional: true - /@esbuild/android-arm64@0.21.5: + '@esbuild/android-arm64@0.21.5': resolution: {integrity: sha512-c0uX9VAUBQ7dTDCjq+wdyGLowMdtR/GoC2U5IYk/7D1H1JYC0qseD7+11iMP2mRLN9RcCMRcjC4YMclCzGwS/A==} engines: {node: '>=12'} cpu: [arm64] os: [android] - requiresBuild: true - dev: false - optional: true - /@esbuild/android-arm@0.19.12: + '@esbuild/android-arm@0.19.12': resolution: {integrity: sha512-qg/Lj1mu3CdQlDEEiWrlC4eaPZ1KztwGJ9B6J+/6G+/4ewxJg7gqj8eVYWvao1bXrqGiW2rsBZFSX3q2lcW05w==} engines: {node: '>=12'} cpu: [arm] os: [android] - requiresBuild: true - dev: false - optional: true - /@esbuild/android-arm@0.21.5: + '@esbuild/android-arm@0.21.5': resolution: {integrity: sha512-vCPvzSjpPHEi1siZdlvAlsPxXl7WbOVUBBAowWug4rJHb68Ox8KualB+1ocNvT5fjv6wpkX6o/iEpbDrf68zcg==} engines: {node: '>=12'} cpu: [arm] os: [android] - requiresBuild: true - dev: false - optional: true - /@esbuild/android-x64@0.19.12: + '@esbuild/android-x64@0.19.12': resolution: {integrity: sha512-3k7ZoUW6Q6YqhdhIaq/WZ7HwBpnFBlW905Fa4s4qWJyiNOgT1dOqDiVAQFwBH7gBRZr17gLrlFCRzF6jFh7Kew==} engines: {node: '>=12'} cpu: [x64] os: [android] - requiresBuild: true - dev: false - optional: true - /@esbuild/android-x64@0.21.5: + '@esbuild/android-x64@0.21.5': resolution: {integrity: sha512-D7aPRUUNHRBwHxzxRvp856rjUHRFW1SdQATKXH2hqA0kAZb1hKmi02OpYRacl0TxIGz/ZmXWlbZgjwWYaCakTA==} engines: {node: '>=12'} cpu: [x64] os: [android] - requiresBuild: true - dev: false - optional: true - /@esbuild/darwin-arm64@0.19.12: + '@esbuild/darwin-arm64@0.19.12': resolution: {integrity: sha512-B6IeSgZgtEzGC42jsI+YYu9Z3HKRxp8ZT3cqhvliEHovq8HSX2YX8lNocDn79gCKJXOSaEot9MVYky7AKjCs8g==} engines: {node: '>=12'} cpu: [arm64] os: [darwin] - requiresBuild: true - dev: false - optional: true - /@esbuild/darwin-arm64@0.21.5: + '@esbuild/darwin-arm64@0.21.5': resolution: {integrity: sha512-DwqXqZyuk5AiWWf3UfLiRDJ5EDd49zg6O9wclZ7kUMv2WRFr4HKjXp/5t8JZ11QbQfUS6/cRCKGwYhtNAY88kQ==} engines: {node: '>=12'} cpu: [arm64] os: [darwin] - requiresBuild: true - dev: false - optional: true - /@esbuild/darwin-x64@0.19.12: + '@esbuild/darwin-x64@0.19.12': resolution: {integrity: sha512-hKoVkKzFiToTgn+41qGhsUJXFlIjxI/jSYeZf3ugemDYZldIXIxhvwN6erJGlX4t5h417iFuheZ7l+YVn05N3A==} engines: {node: '>=12'} cpu: [x64] os: [darwin] - requiresBuild: true - dev: false - optional: true - /@esbuild/darwin-x64@0.21.5: + '@esbuild/darwin-x64@0.21.5': resolution: {integrity: sha512-se/JjF8NlmKVG4kNIuyWMV/22ZaerB+qaSi5MdrXtd6R08kvs2qCN4C09miupktDitvh8jRFflwGFBQcxZRjbw==} engines: {node: '>=12'} cpu: [x64] os: [darwin] - requiresBuild: true - dev: false - optional: true - /@esbuild/freebsd-arm64@0.19.12: + '@esbuild/freebsd-arm64@0.19.12': resolution: {integrity: sha512-4aRvFIXmwAcDBw9AueDQ2YnGmz5L6obe5kmPT8Vd+/+x/JMVKCgdcRwH6APrbpNXsPz+K653Qg8HB/oXvXVukA==} engines: {node: '>=12'} cpu: [arm64] os: [freebsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/freebsd-arm64@0.21.5: + '@esbuild/freebsd-arm64@0.21.5': resolution: {integrity: sha512-5JcRxxRDUJLX8JXp/wcBCy3pENnCgBR9bN6JsY4OmhfUtIHe3ZW0mawA7+RDAcMLrMIZaf03NlQiX9DGyB8h4g==} engines: {node: '>=12'} cpu: [arm64] os: [freebsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/freebsd-x64@0.19.12: + '@esbuild/freebsd-x64@0.19.12': resolution: {integrity: sha512-EYoXZ4d8xtBoVN7CEwWY2IN4ho76xjYXqSXMNccFSx2lgqOG/1TBPW0yPx1bJZk94qu3tX0fycJeeQsKovA8gg==} engines: {node: '>=12'} cpu: [x64] os: [freebsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/freebsd-x64@0.21.5: + '@esbuild/freebsd-x64@0.21.5': resolution: {integrity: sha512-J95kNBj1zkbMXtHVH29bBriQygMXqoVQOQYA+ISs0/2l3T9/kj42ow2mpqerRBxDJnmkUDCaQT/dfNXWX/ZZCQ==} engines: {node: '>=12'} cpu: [x64] os: [freebsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-arm64@0.19.12: + '@esbuild/linux-arm64@0.19.12': resolution: {integrity: sha512-EoTjyYyLuVPfdPLsGVVVC8a0p1BFFvtpQDB/YLEhaXyf/5bczaGeN15QkR+O4S5LeJ92Tqotve7i1jn35qwvdA==} engines: {node: '>=12'} cpu: [arm64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-arm64@0.21.5: + '@esbuild/linux-arm64@0.21.5': resolution: {integrity: sha512-ibKvmyYzKsBeX8d8I7MH/TMfWDXBF3db4qM6sy+7re0YXya+K1cem3on9XgdT2EQGMu4hQyZhan7TeQ8XkGp4Q==} engines: {node: '>=12'} cpu: [arm64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-arm@0.19.12: + '@esbuild/linux-arm@0.19.12': resolution: {integrity: sha512-J5jPms//KhSNv+LO1S1TX1UWp1ucM6N6XuL6ITdKWElCu8wXP72l9MM0zDTzzeikVyqFE6U8YAV9/tFyj0ti+w==} engines: {node: '>=12'} cpu: [arm] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-arm@0.21.5: + '@esbuild/linux-arm@0.21.5': resolution: {integrity: sha512-bPb5AHZtbeNGjCKVZ9UGqGwo8EUu4cLq68E95A53KlxAPRmUyYv2D6F0uUI65XisGOL1hBP5mTronbgo+0bFcA==} engines: {node: '>=12'} cpu: [arm] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-ia32@0.19.12: + '@esbuild/linux-ia32@0.19.12': resolution: {integrity: sha512-Thsa42rrP1+UIGaWz47uydHSBOgTUnwBwNq59khgIwktK6x60Hivfbux9iNR0eHCHzOLjLMLfUMLCypBkZXMHA==} engines: {node: '>=12'} cpu: [ia32] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-ia32@0.21.5: + '@esbuild/linux-ia32@0.21.5': resolution: {integrity: sha512-YvjXDqLRqPDl2dvRODYmmhz4rPeVKYvppfGYKSNGdyZkA01046pLWyRKKI3ax8fbJoK5QbxblURkwK/MWY18Tg==} engines: {node: '>=12'} cpu: [ia32] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-loong64@0.19.12: + '@esbuild/linux-loong64@0.19.12': resolution: {integrity: sha512-LiXdXA0s3IqRRjm6rV6XaWATScKAXjI4R4LoDlvO7+yQqFdlr1Bax62sRwkVvRIrwXxvtYEHHI4dm50jAXkuAA==} engines: {node: '>=12'} cpu: [loong64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-loong64@0.21.5: + '@esbuild/linux-loong64@0.21.5': resolution: {integrity: sha512-uHf1BmMG8qEvzdrzAqg2SIG/02+4/DHB6a9Kbya0XDvwDEKCoC8ZRWI5JJvNdUjtciBGFQ5PuBlpEOXQj+JQSg==} engines: {node: '>=12'} cpu: [loong64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-mips64el@0.19.12: + '@esbuild/linux-mips64el@0.19.12': resolution: {integrity: sha512-fEnAuj5VGTanfJ07ff0gOA6IPsvrVHLVb6Lyd1g2/ed67oU1eFzL0r9WL7ZzscD+/N6i3dWumGE1Un4f7Amf+w==} engines: {node: '>=12'} cpu: [mips64el] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-mips64el@0.21.5: + '@esbuild/linux-mips64el@0.21.5': resolution: {integrity: sha512-IajOmO+KJK23bj52dFSNCMsz1QP1DqM6cwLUv3W1QwyxkyIWecfafnI555fvSGqEKwjMXVLokcV5ygHW5b3Jbg==} engines: {node: '>=12'} cpu: [mips64el] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-ppc64@0.19.12: + '@esbuild/linux-ppc64@0.19.12': resolution: {integrity: sha512-nYJA2/QPimDQOh1rKWedNOe3Gfc8PabU7HT3iXWtNUbRzXS9+vgB0Fjaqr//XNbd82mCxHzik2qotuI89cfixg==} engines: {node: '>=12'} cpu: [ppc64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-ppc64@0.21.5: + '@esbuild/linux-ppc64@0.21.5': resolution: {integrity: sha512-1hHV/Z4OEfMwpLO8rp7CvlhBDnjsC3CttJXIhBi+5Aj5r+MBvy4egg7wCbe//hSsT+RvDAG7s81tAvpL2XAE4w==} engines: {node: '>=12'} cpu: [ppc64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-riscv64@0.19.12: + '@esbuild/linux-riscv64@0.19.12': resolution: {integrity: sha512-2MueBrlPQCw5dVJJpQdUYgeqIzDQgw3QtiAHUC4RBz9FXPrskyyU3VI1hw7C0BSKB9OduwSJ79FTCqtGMWqJHg==} engines: {node: '>=12'} cpu: [riscv64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-riscv64@0.21.5: + '@esbuild/linux-riscv64@0.21.5': resolution: {integrity: sha512-2HdXDMd9GMgTGrPWnJzP2ALSokE/0O5HhTUvWIbD3YdjME8JwvSCnNGBnTThKGEB91OZhzrJ4qIIxk/SBmyDDA==} engines: {node: '>=12'} cpu: [riscv64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-s390x@0.19.12: + '@esbuild/linux-s390x@0.19.12': resolution: {integrity: sha512-+Pil1Nv3Umes4m3AZKqA2anfhJiVmNCYkPchwFJNEJN5QxmTs1uzyy4TvmDrCRNT2ApwSari7ZIgrPeUx4UZDg==} engines: {node: '>=12'} cpu: [s390x] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-s390x@0.21.5: + '@esbuild/linux-s390x@0.21.5': resolution: {integrity: sha512-zus5sxzqBJD3eXxwvjN1yQkRepANgxE9lgOW2qLnmr8ikMTphkjgXu1HR01K4FJg8h1kEEDAqDcZQtbrRnB41A==} engines: {node: '>=12'} cpu: [s390x] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-x64@0.19.12: + '@esbuild/linux-x64@0.19.12': resolution: {integrity: sha512-B71g1QpxfwBvNrfyJdVDexenDIt1CiDN1TIXLbhOw0KhJzE78KIFGX6OJ9MrtC0oOqMWf+0xop4qEU8JrJTwCg==} engines: {node: '>=12'} cpu: [x64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/linux-x64@0.21.5: + '@esbuild/linux-x64@0.21.5': resolution: {integrity: sha512-1rYdTpyv03iycF1+BhzrzQJCdOuAOtaqHTWJZCWvijKD2N5Xu0TtVC8/+1faWqcP9iBCWOmjmhoH94dH82BxPQ==} engines: {node: '>=12'} cpu: [x64] os: [linux] - requiresBuild: true - dev: false - optional: true - /@esbuild/netbsd-x64@0.19.12: + '@esbuild/netbsd-x64@0.19.12': resolution: {integrity: sha512-3ltjQ7n1owJgFbuC61Oj++XhtzmymoCihNFgT84UAmJnxJfm4sYCiSLTXZtE00VWYpPMYc+ZQmB6xbSdVh0JWA==} engines: {node: '>=12'} cpu: [x64] os: [netbsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/netbsd-x64@0.21.5: + '@esbuild/netbsd-x64@0.21.5': resolution: {integrity: sha512-Woi2MXzXjMULccIwMnLciyZH4nCIMpWQAs049KEeMvOcNADVxo0UBIQPfSmxB3CWKedngg7sWZdLvLczpe0tLg==} engines: {node: '>=12'} cpu: [x64] os: [netbsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/openbsd-x64@0.19.12: + '@esbuild/openbsd-x64@0.19.12': resolution: {integrity: sha512-RbrfTB9SWsr0kWmb9srfF+L933uMDdu9BIzdA7os2t0TXhCRjrQyCeOt6wVxr79CKD4c+p+YhCj31HBkYcXebw==} engines: {node: '>=12'} cpu: [x64] os: [openbsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/openbsd-x64@0.21.5: + '@esbuild/openbsd-x64@0.21.5': resolution: {integrity: sha512-HLNNw99xsvx12lFBUwoT8EVCsSvRNDVxNpjZ7bPn947b8gJPzeHWyNVhFsaerc0n3TsbOINvRP2byTZ5LKezow==} engines: {node: '>=12'} cpu: [x64] os: [openbsd] - requiresBuild: true - dev: false - optional: true - /@esbuild/sunos-x64@0.19.12: + '@esbuild/sunos-x64@0.19.12': resolution: {integrity: sha512-HKjJwRrW8uWtCQnQOz9qcU3mUZhTUQvi56Q8DPTLLB+DawoiQdjsYq+j+D3s9I8VFtDr+F9CjgXKKC4ss89IeA==} engines: {node: '>=12'} cpu: [x64] os: [sunos] - requiresBuild: true - dev: false - optional: true - /@esbuild/sunos-x64@0.21.5: + '@esbuild/sunos-x64@0.21.5': resolution: {integrity: sha512-6+gjmFpfy0BHU5Tpptkuh8+uw3mnrvgs+dSPQXQOv3ekbordwnzTVEb4qnIvQcYXq6gzkyTnoZ9dZG+D4garKg==} engines: {node: '>=12'} cpu: [x64] os: [sunos] - requiresBuild: true - dev: false - optional: true - /@esbuild/win32-arm64@0.19.12: + '@esbuild/win32-arm64@0.19.12': resolution: {integrity: sha512-URgtR1dJnmGvX864pn1B2YUYNzjmXkuJOIqG2HdU62MVS4EHpU2946OZoTMnRUHklGtJdJZ33QfzdjGACXhn1A==} engines: {node: '>=12'} cpu: [arm64] os: [win32] - requiresBuild: true - dev: false - optional: true - /@esbuild/win32-arm64@0.21.5: + '@esbuild/win32-arm64@0.21.5': resolution: {integrity: sha512-Z0gOTd75VvXqyq7nsl93zwahcTROgqvuAcYDUr+vOv8uHhNSKROyU961kgtCD1e95IqPKSQKH7tBTslnS3tA8A==} engines: {node: '>=12'} cpu: [arm64] os: [win32] - requiresBuild: true - dev: false - optional: true - /@esbuild/win32-ia32@0.19.12: + '@esbuild/win32-ia32@0.19.12': resolution: {integrity: sha512-+ZOE6pUkMOJfmxmBZElNOx72NKpIa/HFOMGzu8fqzQJ5kgf6aTGrcJaFsNiVMH4JKpMipyK+7k0n2UXN7a8YKQ==} engines: {node: '>=12'} cpu: [ia32] os: [win32] - requiresBuild: true - dev: false - optional: true - /@esbuild/win32-ia32@0.21.5: + '@esbuild/win32-ia32@0.21.5': resolution: {integrity: sha512-SWXFF1CL2RVNMaVs+BBClwtfZSvDgtL//G/smwAc5oVK/UPu2Gu9tIaRgFmYFFKrmg3SyAjSrElf0TiJ1v8fYA==} engines: {node: '>=12'} cpu: [ia32] os: [win32] - requiresBuild: true - dev: false - optional: true - /@esbuild/win32-x64@0.19.12: + '@esbuild/win32-x64@0.19.12': resolution: {integrity: sha512-T1QyPSDCyMXaO3pzBkF96E8xMkiRYbUEZADd29SyPGabqxMViNoii+NcK7eWJAEoU6RZyEm5lVSIjTmcdoB9HA==} engines: {node: '>=12'} cpu: [x64] os: [win32] - requiresBuild: true - dev: false - optional: true - /@esbuild/win32-x64@0.21.5: + '@esbuild/win32-x64@0.21.5': resolution: {integrity: sha512-tQd/1efJuzPC6rCFwEvLtci/xNFcTZknmXs98FYDfGE4wP9ClFV98nyKrzJKVPMhdDnjzLhdUyMX4PsQAPjwIw==} engines: {node: '>=12'} cpu: [x64] os: [win32] - requiresBuild: true - dev: false - optional: true - /@eslint-community/eslint-utils@4.4.0(eslint@8.57.0): + '@eslint-community/eslint-utils@4.4.0': resolution: {integrity: sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} peerDependencies: eslint: ^6.0.0 || ^7.0.0 || >=8.0.0 - dependencies: - eslint: 8.57.0 - eslint-visitor-keys: 3.4.3 - dev: true - /@eslint-community/regexpp@4.11.0: + '@eslint-community/regexpp@4.11.0': resolution: {integrity: sha512-G/M/tIiMrTAxEWRfLfQJMmGNX28IxBg4PBz8XqQhqUHLFI6TL2htpIB1iQCj144V5ee/JaKyT9/WZ0MGZWfA7A==} engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0} - dev: true - /@eslint/eslintrc@2.1.4: + '@eslint/eslintrc@2.1.4': resolution: {integrity: sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} - dependencies: - ajv: 6.12.6 - debug: 4.3.7(supports-color@8.1.1) - espree: 9.6.1 - globals: 13.24.0 - ignore: 5.3.1 - import-fresh: 3.3.0 - js-yaml: 4.1.0 - minimatch: 3.1.2 - strip-json-comments: 3.1.1 - transitivePeerDependencies: - - supports-color - dev: true - /@eslint/js@8.57.0: + '@eslint/js@8.57.0': resolution: {integrity: sha512-Ys+3g2TaW7gADOJzPt83SJtCDhMjndcDMFVQ/Tj9iA1BfJzFKD9mAUXT3OenpuPHbI6P/myECxRJrofUsDx/5g==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} - dev: true - /@ethereumjs/common@2.6.5: + '@ethereumjs/common@2.6.5': resolution: {integrity: sha512-lRyVQOeCDaIVtgfbowla32pzeDv2Obr8oR8Put5RdUBNRGr1VGPGQNGP6elWIpgK3YdpzqTOh4GyUGOureVeeA==} - dependencies: - crc-32: 1.2.2 - ethereumjs-util: 7.1.5 - dev: false - /@ethereumjs/rlp@4.0.1: + '@ethereumjs/rlp@4.0.1': resolution: {integrity: sha512-tqsQiBQDQdmPWE1xkkBq4rlSW5QZpLOUJ5RJh2/9fug+q9tnUhuZoVLk7s0scUIKTOzEtR72DFBXI4WiZcMpvw==} engines: {node: '>=14'} hasBin: true - dev: false - /@ethereumjs/rlp@5.0.2: + '@ethereumjs/rlp@5.0.2': resolution: {integrity: sha512-DziebCdg4JpGlEqEdGgXmjqcFoJi+JGulUXwEjsZGAscAQ7MyD/7LE/GVCP29vEQxKc7AAwjT3A2ywHp2xfoCA==} engines: {node: '>=18'} hasBin: true - dev: false - /@ethereumjs/tx@3.5.2: + '@ethereumjs/tx@3.5.2': resolution: {integrity: sha512-gQDNJWKrSDGu2w7w0PzVXVBNMzb7wwdDOmOqczmhNjqFxFuIbhVJDwiGEnxFNC2/b8ifcZzY7MLcluizohRzNw==} - dependencies: - '@ethereumjs/common': 2.6.5 - ethereumjs-util: 7.1.5 - dev: false - /@ethereumjs/util@8.1.0: + '@ethereumjs/util@8.1.0': resolution: {integrity: sha512-zQ0IqbdX8FZ9aw11vP+dZkKDkS+kgIvQPHnSAXzP9pLu+Rfu3D3XEeLbicvoXJTYnhZiPmsZUxgdzXwNKxRPbA==} engines: {node: '>=14'} - dependencies: - '@ethereumjs/rlp': 4.0.1 - ethereum-cryptography: 2.2.1 - micro-ftch: 0.3.1 - dev: false - /@ethersproject/abi@5.7.0: + '@ethersproject/abi@5.7.0': resolution: {integrity: sha512-351ktp42TiRcYB3H1OP8yajPeAQstMW/yCFokj/AthP9bLHzQFPlOrxOcwYEDkUAICmOHljvN4K39OMTMUa9RA==} - dependencies: - '@ethersproject/address': 5.7.0 - '@ethersproject/bignumber': 5.7.0 - '@ethersproject/bytes': 5.7.0 - '@ethersproject/constants': 5.7.0 - '@ethersproject/hash': 5.7.0 - '@ethersproject/keccak256': 5.7.0 - '@ethersproject/logger': 5.7.0 - '@ethersproject/properties': 5.7.0 - '@ethersproject/strings': 5.7.0 - dev: false - /@ethersproject/abstract-provider@5.7.0: + '@ethersproject/abstract-provider@5.7.0': resolution: {integrity: sha512-R41c9UkchKCpAqStMYUpdunjo3pkEvZC3FAwZn5S5MGbXoMQOHIdHItezTETxAO5bevtMApSyEhn9+CHcDsWBw==} - dependencies: - '@ethersproject/bignumber': 5.7.0 - '@ethersproject/bytes': 5.7.0 - '@ethersproject/logger': 5.7.0 - '@ethersproject/networks': 5.7.1 - '@ethersproject/properties': 5.7.0 - '@ethersproject/transactions': 5.7.0 - '@ethersproject/web': 5.7.1 - dev: false - /@ethersproject/abstract-signer@5.7.0: + '@ethersproject/abstract-signer@5.7.0': resolution: {integrity: sha512-a16V8bq1/Cz+TGCkE2OPMTOUDLS3grCpdjoJCYNnVBbdYEMSgKrU0+B90s8b6H+ByYTBZN7a3g76jdIJi7UfKQ==} - dependencies: - '@ethersproject/abstract-provider': 5.7.0 - '@ethersproject/bignumber': 5.7.0 - '@ethersproject/bytes': 5.7.0 - '@ethersproject/logger': 5.7.0 - '@ethersproject/properties': 5.7.0 - dev: false - /@ethersproject/address@5.7.0: + '@ethersproject/address@5.7.0': resolution: {integrity: sha512-9wYhYt7aghVGo758POM5nqcOMaE168Q6aRLJZwUmiqSrAungkG74gSSeKEIR7ukixesdRZGPgVqme6vmxs1fkA==} - dependencies: - '@ethersproject/bignumber': 5.7.0 - '@ethersproject/bytes': 5.7.0 - '@ethersproject/keccak256': 5.7.0 - '@ethersproject/logger': 5.7.0 - '@ethersproject/rlp': 5.7.0 - dev: false - /@ethersproject/base64@5.7.0: + '@ethersproject/base64@5.7.0': resolution: {integrity: sha512-Dr8tcHt2mEbsZr/mwTPIQAf3Ai0Bks/7gTw9dSqk1mQvhW3XvRlmDJr/4n+wg1JmCl16NZue17CDh8xb/vZ0sQ==} - dependencies: - '@ethersproject/bytes': 5.7.0 - dev: false - /@ethersproject/bignumber@5.7.0: + '@ethersproject/bignumber@5.7.0': resolution: {integrity: sha512-n1CAdIHRWjSucQO3MC1zPSVgV/6dy/fjL9pMrPP9peL+QxEg9wOsVqwD4+818B6LUEtaXzVHQiuivzRoxPxUGw==} - dependencies: - '@ethersproject/bytes': 5.7.0 - '@ethersproject/logger': 5.7.0 - bn.js: 5.2.1 - dev: false - /@ethersproject/bytes@5.7.0: + '@ethersproject/bytes@5.7.0': resolution: {integrity: sha512-nsbxwgFXWh9NyYWo+U8atvmMsSdKJprTcICAkvbBffT75qDocbuggBU0SJiVK2MuTrp0q+xvLkTnGMPK1+uA9A==} - dependencies: - '@ethersproject/logger': 5.7.0 - dev: false - /@ethersproject/constants@5.7.0: + '@ethersproject/constants@5.7.0': resolution: {integrity: sha512-DHI+y5dBNvkpYUMiRQyxRBYBefZkJfo70VUkUAsRjcPs47muV9evftfZ0PJVCXYbAiCgght0DtcF9srFQmIgWA==} - dependencies: - '@ethersproject/bignumber': 5.7.0 - dev: false - /@ethersproject/hash@5.7.0: + '@ethersproject/hash@5.7.0': resolution: {integrity: sha512-qX5WrQfnah1EFnO5zJv1v46a8HW0+E5xuBBDTwMFZLuVTx0tbU2kkx15NqdjxecrLGatQN9FGQKpb1FKdHCt+g==} - dependencies: - '@ethersproject/abstract-signer': 5.7.0 - '@ethersproject/address': 5.7.0 - '@ethersproject/base64': 5.7.0 - '@ethersproject/bignumber': 5.7.0 - '@ethersproject/bytes': 5.7.0 - '@ethersproject/keccak256': 5.7.0 - '@ethersproject/logger': 5.7.0 - '@ethersproject/properties': 5.7.0 - '@ethersproject/strings': 5.7.0 - dev: false - /@ethersproject/keccak256@5.7.0: + '@ethersproject/keccak256@5.7.0': resolution: {integrity: sha512-2UcPboeL/iW+pSg6vZ6ydF8tCnv3Iu/8tUmLLzWWGzxWKFFqOBQFLo6uLUv6BDrLgCDfN28RJ/wtByx+jZ4KBg==} - dependencies: - '@ethersproject/bytes': 5.7.0 - js-sha3: 0.8.0 - dev: false - /@ethersproject/logger@5.7.0: + '@ethersproject/logger@5.7.0': resolution: {integrity: sha512-0odtFdXu/XHtjQXJYA3u9G0G8btm0ND5Cu8M7i5vhEcE8/HmF4Lbdqanwyv4uQTr2tx6b7fQRmgLrsnpQlmnig==} - dev: false - /@ethersproject/networks@5.7.1: + '@ethersproject/networks@5.7.1': resolution: {integrity: sha512-n/MufjFYv3yFcUyfhnXotyDlNdFb7onmkSy8aQERi2PjNcnWQ66xXxa3XlS8nCcA8aJKJjIIMNJTC7tu80GwpQ==} - dependencies: - '@ethersproject/logger': 5.7.0 - dev: false - /@ethersproject/properties@5.7.0: + '@ethersproject/properties@5.7.0': resolution: {integrity: sha512-J87jy8suntrAkIZtecpxEPxY//szqr1mlBaYlQ0r4RCaiD2hjheqF9s1LVE8vVuJCXisjIP+JgtK/Do54ej4Sw==} - dependencies: - '@ethersproject/logger': 5.7.0 - dev: false - /@ethersproject/rlp@5.7.0: + '@ethersproject/rlp@5.7.0': resolution: {integrity: sha512-rBxzX2vK8mVF7b0Tol44t5Tb8gomOHkj5guL+HhzQ1yBh/ydjGnpw6at+X6Iw0Kp3OzzzkcKp8N9r0W4kYSs9w==} - dependencies: - '@ethersproject/bytes': 5.7.0 + + '@ethersproject/signing-key@5.7.0': + resolution: {integrity: sha512-MZdy2nL3wO0u7gkB4nA/pEf8lu1TlFswPNmy8AiYkfKTdO6eXBJyUdmHO/ehm/htHw9K/qF8ujnTyUAD+Ry54Q==} + + '@ethersproject/strings@5.7.0': + resolution: {integrity: sha512-/9nu+lj0YswRNSH0NXYqrh8775XNyEdUQAuf3f+SmOrnVewcJ5SBNAjF7lpgehKi4abvNNXyf+HX86czCdJ8Mg==} + + '@ethersproject/transactions@5.7.0': + resolution: {integrity: sha512-kmcNicCp1lp8qanMTC3RIikGgoJ80ztTyvtsFvCYpSCfkjhD0jZ2LOrnbcuxuToLIUYYf+4XwD1rP+B/erDIhQ==} + + '@ethersproject/web@5.7.1': + resolution: {integrity: sha512-Gueu8lSvyjBWL4cYsWsjh6MtMwM0+H4HvqFPZfB6dV8ctbP9zFAO73VG1cMWae0FLPCtz0peKPpZY8/ugJJX2w==} + + '@fragnova/api-augment@0.1.0-spec-1.0.4-mainnet': + resolution: {integrity: sha512-511tzGJt8BWUVMNqX6NNq4KrGWYBKrLVQ2GKERUi08TtpteEQnFH3Nzh8W6x3dpBG3naZ+V5ue+bEmEB9foRIQ==} + + '@frequency-chain/api-augment@1.11.1': + resolution: {integrity: sha512-CzVjeGrWl8tbTavygZLUICrncjCC54hM5ioJU1Og2OPoX2P4GYf8xoks8MIyj1yOrYX++mzM6Uf0+nCh77QyFw==} + + '@gar/promisify@1.1.3': + resolution: {integrity: sha512-k2Ty1JcVojjJFwrg/ThKi2ujJ7XNLYaFGNB/bWT9wGR+oSMJHMa5w+CUq6p/pVrKeNNgA7pCqEcjSnHVoqJQFw==} + + '@humanwhocodes/config-array@0.11.14': + resolution: {integrity: sha512-3T8LkOmg45BV5FICb15QQMsyUSWrQ8AygVfC7ZG32zOalnqrilm018ZVCw0eapXux8FtA33q8PSRSstjee3jSg==} + engines: {node: '>=10.10.0'} + deprecated: Use @eslint/config-array instead + + '@humanwhocodes/module-importer@1.0.1': + resolution: {integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==} + engines: {node: '>=12.22'} + + '@humanwhocodes/object-schema@2.0.3': + resolution: {integrity: sha512-93zYdMES/c1D69yZiKDBj0V24vqNzB/koF26KPaagAfd3P/4gUlh3Dys5ogAK+Exi9QyzlD8x/08Zt7wIKcDcA==} + deprecated: Use @eslint/object-schema instead + + '@inquirer/figures@1.0.3': + resolution: {integrity: sha512-ErXXzENMH5pJt5/ssXV0DfWUZqly8nGzf0UcBV9xTnP+KyffE2mqyxIMBrZ8ijQck2nU0TQm40EQB53YreyWHw==} + engines: {node: '>=18'} + + '@interlay/interbtc-types@1.13.0': + resolution: {integrity: sha512-oUjavcfnX7lxlMd10qGc48/MoATX37TQcuSAZBIUmpCRiJ15hZbQoTAKGgWMPsla3+3YqUAzkWUEVMwUvM1U+w==} + + '@isaacs/cliui@8.0.2': + resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==} + engines: {node: '>=12'} + + '@jridgewell/resolve-uri@3.1.1': + resolution: {integrity: sha512-dSYZh7HhCDtCKm4QakX0xFpsRDqjjtZf/kjI/v3T3Nwt5r8/qz/M19F9ySyOqU94SXBmeG9ttTul+YnR4LOxFA==} + engines: {node: '>=6.0.0'} + + '@jridgewell/sourcemap-codec@1.4.15': + resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==} + + '@jridgewell/sourcemap-codec@1.5.0': + resolution: {integrity: sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==} + + '@jridgewell/trace-mapping@0.3.9': + resolution: {integrity: sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==} + + '@kiltprotocol/type-definitions@0.35.1': + resolution: {integrity: sha512-/8jWy2ZTtWeaB5/5G8Yg0KgrqzyctzRricEnUd61Vn99Edm9S2mfNa77LY5SwGZ9mkYuh1OlqGuk9gUa3uER6g==} + engines: {node: '>=16.0'} + + '@laminar/type-definitions@0.3.1': + resolution: {integrity: sha512-QWC2qtvbPIxal+gMfUocZmwK0UsD7Sb0RUm4Hallkp+OXXL+3uBLwztYDLS5LtocOn0tfR//sgpnfsEIEb71Lw==} + + '@logion/node-api@0.27.0-4': + resolution: {integrity: sha512-YOAumRQpacPmX5YUk6jHAi+EAJWKCU3WL4+YQpaKhXv5KoS3n6Iz2fK8qzcD5Gs+AUTg2WLmKH+7Jc5WRnHcig==} + engines: {node: '>=18'} + + '@mangata-finance/type-definitions@2.1.2': + resolution: {integrity: sha512-kr4mVMuQ6DqZ0H72z0YI8tcdlk4XD4vUgRVYYfTJdXFJhRsfS4YRxfs/iiQPNzWKgoQZKcDqsbQD3xz9T1gELw==} + engines: {node: '>=18.0.0'} + peerDependencies: + '@polkadot/types': ^10.9.1 + + '@metaverse-network-sdk/type-definitions@0.0.1-16': + resolution: {integrity: sha512-lo1NbA0gi+Tu23v4cTkN/oxEhQxaf3QxQ2qvUUfTxDU7a1leYp2Bw3IcoUvqHAGb/PPp8bNmYQfAKXsjqp+LZw==} + + '@moonbeam-network/api-augment@0.2902.0': + resolution: {integrity: sha512-lCNc1lUq7kHnTPXvT4W8F2nkxr4UjAEs5LdxXHfrATOt+ZfGfX97/4sZfSRXlVqATrOUw7+sqKM8SL0ci0nx0g==} + engines: {node: '>=14.0.0'} + + '@moonwall/cli@5.3.3': + resolution: {integrity: sha512-iFJ9DnefUrwHS/FCeMrVIlBxbd8P9j3dqBwGeJ/yfNtqaurx3g8Sx3jpSueWjkZ3vozlkGYJFYgtnlXGVzvGNw==} + engines: {node: '>=20', pnpm: '>=7'} + hasBin: true + peerDependencies: + '@acala-network/chopsticks': ^0.9.10 + '@polkadot/api': ^10.11.2 + '@vitest/ui': ^1.2.2 + vitest: ^1.2.2 + + '@moonwall/types@5.3.3': + resolution: {integrity: sha512-gKnX3krFiIwuu/dWzqYaJjf49vzv01Lmm51peFKVJffJi033FC3MoEe5IsqI/FZCCVLD0ks+x3/9iP4U6/ybRA==} + engines: {node: '>=20', pnpm: '>=7'} + peerDependencies: + '@polkadot/api': ^10.12.6 + + '@moonwall/util@5.3.3': + resolution: {integrity: sha512-wiww5T1xtEtxTUPTNlub6tX6yXMqh9jo1++f+Su07SF525zcdGRNGmFUdBGpPW8Bwz4rlbEi87eO7dnNB3Rr1w==} + engines: {node: '>=20', pnpm: '>=7'} + peerDependencies: + '@polkadot/api': ^10.11.2 + vitest: ^1.2.2 + + '@noble/curves@1.2.0': + resolution: {integrity: sha512-oYclrNgRaM9SsBUBVbb8M6DTV7ZHRTKugureoYEncY5c65HOmRzvSiTE3y5CYaPYJA/GVkrhXEoF0M3Ya9PMnw==} + + '@noble/curves@1.4.0': + resolution: {integrity: sha512-p+4cb332SFCrReJkCYe8Xzm0OWi4Jji5jVdIZRL/PmacmDkFNw6MrrV+gGpiPxLHbV+zKFRywUWbaseT+tZRXg==} + + '@noble/curves@1.4.2': + resolution: {integrity: sha512-TavHr8qycMChk8UwMld0ZDRvatedkzWfH8IiaeGCfymOP5i0hSCozz9vHOL0nkwk7HRMlFnAiKpS2jrUmSybcw==} + + '@noble/ed25519@1.7.3': + resolution: {integrity: sha512-iR8GBkDt0Q3GyaVcIu7mSsVIqnFbkbRzGLWlvhwunacoLwt4J3swfKhfaM6rN6WY+TBGoYT1GtT1mIh2/jGbRQ==} + + '@noble/hashes@1.0.0': + resolution: {integrity: sha512-DZVbtY62kc3kkBtMHqwCOfXrT/hnoORy5BJ4+HU1IR59X0KWAOqsfzQPcUl/lQLlG7qXbe/fZ3r/emxtAl+sqg==} + + '@noble/hashes@1.2.0': + resolution: {integrity: sha512-FZfhjEDbT5GRswV3C6uvLPHMiVD6lQBmpoX5+eSiPaMTXte/IKqI5dykDxzZB/WBeK/CDuQRBWarPdi3FNY2zQ==} + + '@noble/hashes@1.3.2': + resolution: {integrity: sha512-MVC8EAQp7MvEcm30KWENFjgR+Mkmf+D189XJTkFIlwohU5hcBbn1ZkKq7KVTi2Hme3PMGF390DaL52beVrIihQ==} + engines: {node: '>= 16'} + + '@noble/hashes@1.4.0': + resolution: {integrity: sha512-V1JJ1WTRUqHHrOSh597hURcMqVKVGL/ea3kv0gSnEdsEZ0/+VyPghM1lMNGc00z7CIQorSvbKpuJkxvuHbvdbg==} + engines: {node: '>= 16'} + + '@noble/hashes@1.5.0': + resolution: {integrity: sha512-1j6kQFb7QRru7eKN3ZDvRcP13rugwdxZqCjbiAVZfIJwgj2A65UmT4TgARXGlXgnRkORLTDTrO19ZErt7+QXgA==} + engines: {node: ^14.21.3 || >=16} + + '@noble/secp256k1@1.5.5': + resolution: {integrity: sha512-sZ1W6gQzYnu45wPrWx8D3kwI2/U29VYTx9OjbDAd7jwRItJ0cSTMPRL/C8AWZFn9kWFLQGqEXVEE86w4Z8LpIQ==} + + '@noble/secp256k1@1.7.1': + resolution: {integrity: sha512-hOUk6AyBFmqVrv7k5WAw/LpszxVbj9gGN4JRkIX52fdFAj1UA61KXmZDvqVEm+pOyec3+fIeZB02LYa/pWOArw==} + + '@nodelib/fs.scandir@2.1.5': + resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==} + engines: {node: '>= 8'} + + '@nodelib/fs.stat@2.0.5': + resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==} + engines: {node: '>= 8'} + + '@nodelib/fs.walk@1.2.8': + resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==} + engines: {node: '>= 8'} + + '@npmcli/fs@1.1.1': + resolution: {integrity: sha512-8KG5RD0GVP4ydEzRn/I4BNDuxDtqVbOdm8675T49OIG/NGhaK0pjPX7ZcDlvKYbA+ulvVK3ztfcF4uBdOxuJbQ==} + + '@npmcli/move-file@1.1.2': + resolution: {integrity: sha512-1SUf/Cg2GzGDyaf15aR9St9TWlb+XvbZXWpDx8YKs7MLzMH/BCeopv+y9vzrzgkfykCGuWOlSu3mZhj2+FQcrg==} + engines: {node: '>=10'} + deprecated: This functionality has been moved to @npmcli/fs + + '@octokit/app@15.0.1': + resolution: {integrity: sha512-nwSjC349E6/wruMCo944y1dBC7uKzUYrBMoC4Qx/xfLLBmD+R66oMKB1jXS2HYRF9Hqh/Alq3UNRggVWZxjvUg==} + engines: {node: '>= 18'} + + '@octokit/auth-app@7.1.0': + resolution: {integrity: sha512-cazGaJPSgeZ8NkVYeM/C5l/6IQ5vZnsI8p1aMucadCkt/bndI+q+VqwrlnWbASRmenjOkf1t1RpCKrif53U8gw==} + engines: {node: '>= 18'} + + '@octokit/auth-oauth-app@8.1.1': + resolution: {integrity: sha512-5UtmxXAvU2wfcHIPPDWzVSAWXVJzG3NWsxb7zCFplCWEmMCArSZV0UQu5jw5goLQXbFyOr5onzEH37UJB3zQQg==} + engines: {node: '>= 18'} + + '@octokit/auth-oauth-device@7.1.1': + resolution: {integrity: sha512-HWl8lYueHonuyjrKKIup/1tiy0xcmQCdq5ikvMO1YwkNNkxb6DXfrPjrMYItNLyCP/o2H87WuijuE+SlBTT8eg==} + engines: {node: '>= 18'} + + '@octokit/auth-oauth-user@5.1.1': + resolution: {integrity: sha512-rRkMz0ErOppdvEfnemHJXgZ9vTPhBuC6yASeFaB7I2yLMd7QpjfrL1mnvRPlyKo+M6eeLxrKanXJ9Qte29SRsw==} + engines: {node: '>= 18'} + + '@octokit/auth-token@5.1.1': + resolution: {integrity: sha512-rh3G3wDO8J9wSjfI436JUKzHIxq8NaiL0tVeB2aXmG6p/9859aUOAjA9pmSPNGGZxfwmaJ9ozOJImuNVJdpvbA==} + engines: {node: '>= 18'} + + '@octokit/auth-unauthenticated@6.1.0': + resolution: {integrity: sha512-zPSmfrUAcspZH/lOFQnVnvjQZsIvmfApQH6GzJrkIunDooU1Su2qt2FfMTSVPRp7WLTQyC20Kd55lF+mIYaohQ==} + engines: {node: '>= 18'} + + '@octokit/core@6.1.2': + resolution: {integrity: sha512-hEb7Ma4cGJGEUNOAVmyfdB/3WirWMg5hDuNFVejGEDFqupeOysLc2sG6HJxY2etBp5YQu5Wtxwi020jS9xlUwg==} + engines: {node: '>= 18'} + + '@octokit/endpoint@10.1.1': + resolution: {integrity: sha512-JYjh5rMOwXMJyUpj028cu0Gbp7qe/ihxfJMLc8VZBMMqSwLgOxDI1911gV4Enl1QSavAQNJcwmwBF9M0VvLh6Q==} + engines: {node: '>= 18'} + + '@octokit/graphql@8.1.1': + resolution: {integrity: sha512-ukiRmuHTi6ebQx/HFRCXKbDlOh/7xEV6QUXaE7MJEKGNAncGI/STSbOkl12qVXZrfZdpXctx5O9X1AIaebiDBg==} + engines: {node: '>= 18'} + + '@octokit/oauth-app@7.1.2': + resolution: {integrity: sha512-4ntCOZIiTozKwuYQroX/ZD722tzMH8Eicv/cgDM/3F3lyrlwENHDv4flTCBpSJbfK546B2SrkKMWB+/HbS84zQ==} + engines: {node: '>= 18'} + + '@octokit/oauth-authorization-url@7.1.1': + resolution: {integrity: sha512-ooXV8GBSabSWyhLUowlMIVd9l1s2nsOGQdlP2SQ4LnkEsGXzeCvbSbCPdZThXhEFzleGPwbapT0Sb+YhXRyjCA==} + engines: {node: '>= 18'} + + '@octokit/oauth-methods@5.1.2': + resolution: {integrity: sha512-C5lglRD+sBlbrhCUTxgJAFjWgJlmTx5bQ7Ch0+2uqRjYv7Cfb5xpX4WuSC9UgQna3sqRGBL9EImX9PvTpMaQ7g==} + engines: {node: '>= 18'} + + '@octokit/openapi-types@22.2.0': + resolution: {integrity: sha512-QBhVjcUa9W7Wwhm6DBFu6ZZ+1/t/oYxqc2tp81Pi41YNuJinbFRx8B133qVOrAaBbF7D/m0Et6f9/pZt9Rc+tg==} + + '@octokit/openapi-webhooks-types@8.2.1': + resolution: {integrity: sha512-msAU1oTSm0ZmvAE0xDemuF4tVs5i0xNnNGtNmr4EuATi+1Rn8cZDetj6NXioSf5LwnxEc209COa/WOSbjuhLUA==} + + '@octokit/plugin-paginate-graphql@5.2.2': + resolution: {integrity: sha512-7znSVvlNAOJisCqAnjN1FtEziweOHSjPGAuc5W58NeGNAr/ZB57yCsjQbXDlWsVryA7hHQaEQPcBbJYFawlkyg==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-paginate-rest@11.3.0': + resolution: {integrity: sha512-n4znWfRinnUQF6TPyxs7EctSAA3yVSP4qlJP2YgI3g9d4Ae2n5F3XDOjbUluKRxPU3rfsgpOboI4O4VtPc6Ilg==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-paginate-rest@11.3.3': + resolution: {integrity: sha512-o4WRoOJZlKqEEgj+i9CpcmnByvtzoUYC6I8PD2SA95M+BJ2x8h7oLcVOg9qcowWXBOdcTRsMZiwvM3EyLm9AfA==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-request-log@5.3.0': + resolution: {integrity: sha512-FiGcyjdtYPlr03ExBk/0ysIlEFIFGJQAVoPPMxL19B24bVSEiZQnVGBunNtaAF1YnvE/EFoDpXmITtRnyCiypQ==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-rest-endpoint-methods@13.2.1': + resolution: {integrity: sha512-YMWBw6Exh1ZBs5cCE0AnzYxSQDIJS00VlBqISTgNYmu5MBdeM07K/MAJjy/VkNaH5jpJmD/5HFUvIZ+LDB5jSQ==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-rest-endpoint-methods@13.2.4': + resolution: {integrity: sha512-gusyAVgTrPiuXOdfqOySMDztQHv6928PQ3E4dqVGEtOvRXAKRbJR4b1zQyniIT9waqaWk/UDaoJ2dyPr7Bk7Iw==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-retry@7.1.1': + resolution: {integrity: sha512-G9Ue+x2odcb8E1XIPhaFBnTTIrrUDfXN05iFXiqhR+SeeeDMMILcAnysOsxUpEWcQp2e5Ft397FCXTcPkiPkLw==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': '>=6' + + '@octokit/plugin-throttling@9.3.0': + resolution: {integrity: sha512-B5YTToSRTzNSeEyssnrT7WwGhpIdbpV9NKIs3KyTWHX6PhpYn7gqF/+lL3BvsASBM3Sg5BAUYk7KZx5p/Ec77w==} + engines: {node: '>= 18'} + peerDependencies: + '@octokit/core': ^6.0.0 + + '@octokit/request-error@6.1.1': + resolution: {integrity: sha512-1mw1gqT3fR/WFvnoVpY/zUM2o/XkMs/2AszUUG9I69xn0JFLv6PGkPhNk5lbfvROs79wiS0bqiJNxfCZcRJJdg==} + engines: {node: '>= 18'} + + '@octokit/request@9.1.1': + resolution: {integrity: sha512-pyAguc0p+f+GbQho0uNetNQMmLG1e80WjkIaqqgUkihqUp0boRU6nKItXO4VWnr+nbZiLGEyy4TeKRwqaLvYgw==} + engines: {node: '>= 18'} + + '@octokit/rest@21.0.0': + resolution: {integrity: sha512-XudXXOmiIjivdjNZ+fN71NLrnDM00sxSZlhqmPR3v0dVoJwyP628tSlc12xqn8nX3N0965583RBw5GPo6r8u4Q==} + engines: {node: '>= 18'} + + '@octokit/types@13.5.0': + resolution: {integrity: sha512-HdqWTf5Z3qwDVlzCrP8UJquMwunpDiMPt5er+QjGzL4hqr/vBVY/MauQgS1xWxCDT1oMx1EULyqxncdCY/NVSQ==} + + '@octokit/webhooks-methods@5.1.0': + resolution: {integrity: sha512-yFZa3UH11VIxYnnoOYCVoJ3q4ChuSOk2IVBBQ0O3xtKX4x9bmKb/1t+Mxixv2iUhzMdOl1qeWJqEhouXXzB3rQ==} + engines: {node: '>= 18'} + + '@octokit/webhooks@13.2.7': + resolution: {integrity: sha512-sPHCyi9uZuCs1gg0yF53FFocM+GsiiBEhQQV/itGzzQ8gjyv2GMJ1YvgdDY4lC0ePZeiV3juEw4GbS6w1VHhRw==} + engines: {node: '>= 18'} + + '@open-web3/orml-type-definitions@0.8.2-11': + resolution: {integrity: sha512-cUv5+mprnaGNt0tu3FhK1nFRBK7SGjPhA1O0nxWWeRmuuH5fjkr0glbHE9kcKuCBfsh7nt6NGwxwl9emQtUDSA==} + + '@open-web3/orml-type-definitions@0.9.4-38': + resolution: {integrity: sha512-kV0++JlRLEf7Z1y+Jm+792zqx6Q7dzpGP73rJJmQrBaeTML5mQzu4veZ24TVtcLV6hsGjUU/ixrJODNj6CCuZQ==} + + '@open-web3/orml-type-definitions@1.1.4': + resolution: {integrity: sha512-diuQx0Pf7cfoBtCpZTrBQOeIur0POp6Y9qfDS3p11RBF2XKwQ7jw/YKEFYqga1AyrzTcoSEE2OYUfeW3AKU94w==} + + '@open-web3/orml-type-definitions@2.0.1': + resolution: {integrity: sha512-wqeSBOKk8UU9CBqYhK2yQh9YqwaS7vai71WuOGFNJnzRT+6WnzY0leaLTionuzfE3M4Y/jTrc8BTL6+PVFCr6Q==} + + '@openzeppelin/contracts@4.9.6': + resolution: {integrity: sha512-xSmezSupL+y9VkHZJGDoCBpmnB2ogM13ccaYDWqJTfS3dbuHkgjuwDFUmaFauBCboQMGB/S5UqUl2y54X99BmA==} + + '@parallel-finance/type-definitions@2.0.1': + resolution: {integrity: sha512-fC1QfhFFd8oSZqdIh6kmoMNvTxZdQGw1sTAbdYSINyVxyCxKiDg47ZP9bAZFDexL7POqnXnn4pYM7kUAnsT+8Q==} + + '@peaqnetwork/type-definitions@0.0.4': + resolution: {integrity: sha512-bMja9T9PHQrEy4Uhh0ZTWvKGpgiDd51tZg4ZOpgC1KtVBF6Wx+bNtt+Zyg0DKwRh2Eg+xI5OEBPycsFOpdIWIA==} + + '@pendulum-chain/type-definitions@0.3.8': + resolution: {integrity: sha512-xor/TijvR5Hg0NcXozzyWLK2kGmJCJu+yvzq8knXiNzqNLcvJxUz8K+ov2ox6MQrQ7qMgQTBphelQuhwAGJ5bw==} + + '@phala/typedefs@0.2.33': + resolution: {integrity: sha512-CaRzIGfU6CUIKLPswYtOw/xbtTttqmJZpr3fhkxLvkBQMXIH14iISD763OFXtWui7DrAMBKo/bHawvFNgWGKTg==} + + '@pkgjs/parseargs@0.11.0': + resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==} + engines: {node: '>=14'} + + '@pnpm/config.env-replace@1.1.0': + resolution: {integrity: sha512-htyl8TWnKL7K/ESFa1oW2UB5lVDxuF5DpM7tBi6Hu2LNL3mWkIzNLG6N4zoCUP1lCKNxWy/3iu8mS8MvToGd6w==} + engines: {node: '>=12.22.0'} + + '@pnpm/network.ca-file@1.0.2': + resolution: {integrity: sha512-YcPQ8a0jwYU9bTdJDpXjMi7Brhkr1mXsXrUJvjqM2mQDgkRiz8jFaQGOdaLxgjtUfQgZhKy/O3cG/YwmgKaxLA==} + engines: {node: '>=12.22.0'} + + '@pnpm/npm-conf@2.2.2': + resolution: {integrity: sha512-UA91GwWPhFExt3IizW6bOeY/pQ0BkuNwKjk9iQW9KqxluGCrg4VenZ0/L+2Y0+ZOtme72EVvg6v0zo3AMQRCeA==} + engines: {node: '>=12'} + + '@polka/url@1.0.0-next.25': + resolution: {integrity: sha512-j7P6Rgr3mmtdkeDGTe0E/aYyWEWVtc5yFXtHCRHs28/jptDEWfaVOc5T7cblqy1XKPPfCxJc/8DwQ5YgLOZOVQ==} + + '@polkadot-api/client@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-0fqK6pUKcGHSG2pBvY+gfSS+1mMdjd/qRygAcKI5d05tKsnZLRnmhb9laDguKmGEIB0Bz9vQqNK3gIN/cfvVwg==} + peerDependencies: + rxjs: '>=7.8.0' + + '@polkadot-api/json-rpc-provider-proxy@0.0.1': + resolution: {integrity: sha512-gmVDUP8LpCH0BXewbzqXF2sdHddq1H1q+XrAW2of+KZj4woQkIGBRGTJHeBEVHe30EB+UejR1N2dT4PO/RvDdg==} + + '@polkadot-api/json-rpc-provider-proxy@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-0hZ8vtjcsyCX8AyqP2sqUHa1TFFfxGWmlXJkit0Nqp9b32MwZqn5eaUAiV2rNuEpoglKOdKnkGtUF8t5MoodKw==} + + '@polkadot-api/json-rpc-provider-proxy@0.1.0': + resolution: {integrity: sha512-8GSFE5+EF73MCuLQm8tjrbCqlgclcHBSRaswvXziJ0ZW7iw3UEMsKkkKvELayWyBuOPa2T5i1nj6gFOeIsqvrg==} + + '@polkadot-api/json-rpc-provider@0.0.1': + resolution: {integrity: sha512-/SMC/l7foRjpykLTUTacIH05H3mr9ip8b5xxfwXlVezXrNVLp3Cv0GX6uItkKd+ZjzVPf3PFrDF2B2/HLSNESA==} + + '@polkadot-api/json-rpc-provider@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-EaUS9Fc3wsiUr6ZS43PQqaRScW7kM6DYbuM/ou0aYjm8N9MBqgDbGm2oL6RE1vAVmOfEuHcXZuZkhzWtyvQUtA==} + + '@polkadot-api/merkleize-metadata@1.1.4': + resolution: {integrity: sha512-WlVqZjFqQIomfKxW7QIl68YAvA0YF6orsicV1rCsqkgHe7rMzj1JjkntEgPMcL3aksSDShdyb7SLinvOJgSa2Q==} + + '@polkadot-api/metadata-builders@0.0.1': + resolution: {integrity: sha512-GCI78BHDzXAF/L2pZD6Aod/yl82adqQ7ftNmKg51ixRL02JpWUA+SpUKTJE5MY1p8kiJJIo09P2um24SiJHxNA==} + + '@polkadot-api/metadata-builders@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-BD7rruxChL1VXt0icC2gD45OtT9ofJlql0qIllHSRYgama1CR2Owt+ApInQxB+lWqM+xNOznZRpj8CXNDvKIMg==} + + '@polkadot-api/metadata-builders@0.3.2': + resolution: {integrity: sha512-TKpfoT6vTb+513KDzMBTfCb/ORdgRnsS3TDFpOhAhZ08ikvK+hjHMt5plPiAX/OWkm1Wc9I3+K6W0hX5Ab7MVg==} + + '@polkadot-api/metadata-builders@0.7.1': + resolution: {integrity: sha512-4P9sf4/HINcLubsDvHbS8ezfTKvOBNnRy18lOLyVDJsSwSPyaTKPpHbYl4vV0XCr7kwJJz8myyYjNadfhbmTaA==} + + '@polkadot-api/observable-client@0.1.0': + resolution: {integrity: sha512-GBCGDRztKorTLna/unjl/9SWZcRmvV58o9jwU2Y038VuPXZcr01jcw/1O3x+yeAuwyGzbucI/mLTDa1QoEml3A==} + peerDependencies: + rxjs: '>=7.8.0' + + '@polkadot-api/observable-client@0.3.2': + resolution: {integrity: sha512-HGgqWgEutVyOBXoGOPp4+IAq6CNdK/3MfQJmhCJb8YaJiaK4W6aRGrdQuQSTPHfERHCARt9BrOmEvTXAT257Ug==} + peerDependencies: + '@polkadot-api/substrate-client': 0.1.4 + rxjs: '>=7.8.0' + + '@polkadot-api/substrate-bindings@0.0.1': + resolution: {integrity: sha512-bAe7a5bOPnuFVmpv7y4BBMRpNTnMmE0jtTqRUw/+D8ZlEHNVEJQGr4wu3QQCl7k1GnSV1wfv3mzIbYjErEBocg==} + + '@polkadot-api/substrate-bindings@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-N4vdrZopbsw8k57uG58ofO7nLXM4Ai7835XqakN27MkjXMp5H830A1KJE0L9sGQR7ukOCDEIHHcwXVrzmJ/PBg==} + + '@polkadot-api/substrate-bindings@0.6.0': + resolution: {integrity: sha512-lGuhE74NA1/PqdN7fKFdE5C1gNYX357j1tWzdlPXI0kQ7h3kN0zfxNOpPUN7dIrPcOFZ6C0tRRVrBylXkI6xPw==} + + '@polkadot-api/substrate-bindings@0.8.0': + resolution: {integrity: sha512-nHj0tUIlrvm3tW8tSG7uvv4QBhfgjcwyNRFWdKQQ77gx83mfLdaBBrz9e2rPggwkWbptDZe2+IXE20OFF/G79w==} + + '@polkadot-api/substrate-client@0.0.1': + resolution: {integrity: sha512-9Bg9SGc3AwE+wXONQoW8GC00N3v6lCZLW74HQzqB6ROdcm5VAHM4CB/xRzWSUF9CXL78ugiwtHx3wBcpx4H4Wg==} + + '@polkadot-api/substrate-client@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-lcdvd2ssUmB1CPzF8s2dnNOqbrDa+nxaaGbuts+Vo8yjgSKwds2Lo7Oq+imZN4VKW7t9+uaVcKFLMF7PdH0RWw==} + + '@polkadot-api/substrate-client@0.1.4': + resolution: {integrity: sha512-MljrPobN0ZWTpn++da9vOvt+Ex+NlqTlr/XT7zi9sqPtDJiQcYl+d29hFAgpaeTqbeQKZwz3WDE9xcEfLE8c5A==} + + '@polkadot-api/utils@0.0.1': + resolution: {integrity: sha512-3j+pRmlF9SgiYDabSdZsBSsN5XHbpXOAce1lWj56IEEaFZVjsiCaxDOA7C9nCcgfVXuvnbxqqEGQvnY+QfBAUw==} + + '@polkadot-api/utils@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': + resolution: {integrity: sha512-0CYaCjfLQJTCRCiYvZ81OncHXEKPzAexCMoVloR+v2nl/O2JRya/361MtPkeNLC6XBoaEgLAG9pWQpH3WePzsw==} + + '@polkadot-api/utils@0.1.0': + resolution: {integrity: sha512-MXzWZeuGxKizPx2Xf/47wx9sr/uxKw39bVJUptTJdsaQn/TGq+z310mHzf1RCGvC1diHM8f593KrnDgc9oNbJA==} + + '@polkadot-api/utils@0.1.1': + resolution: {integrity: sha512-ho1ORL5jEO96Zl72r/j1YTyX8wfXRD+XXrS8OR2LWdBR24MZqHO96xMboTcFehWK919iMKWAb9rCPNs2NiFS3Q==} + + '@polkadot/api-augment@10.13.1': + resolution: {integrity: sha512-IAKaCp19QxgOG4HKk9RAgUgC/VNVqymZ2GXfMNOZWImZhxRIbrK+raH5vN2MbWwtVHpjxyXvGsd1RRhnohI33A==} + engines: {node: '>=18'} + + '@polkadot/api-augment@11.3.1': + resolution: {integrity: sha512-Yj+6rb6h0WwY3yJ+UGhjGW+tyMRFUMsKQuGw+eFsXdjiNU9UoXsAqA2dG7Q1F+oeX/g+y2gLGBezNoCwbl6HfA==} + engines: {node: '>=18'} + + '@polkadot/api-augment@12.1.1': + resolution: {integrity: sha512-x2cI4mt4y2DZ8b8BoxchlkkpdmvhmOqCLr7IHPcQGaHsA/oLYSgZk8YSvUFb6+W3WjnIZiNMzv/+UB9jQuGQ2Q==} + engines: {node: '>=18'} + + '@polkadot/api-augment@12.4.2': + resolution: {integrity: sha512-BkG2tQpUUO0iUm65nSqP8hwHkNfN8jQw8apqflJNt9H8EkEL6v7sqwbLvGqtlxM9wzdxbg7lrWp3oHg4rOP31g==} + engines: {node: '>=18'} + + '@polkadot/api-augment@13.0.1': + resolution: {integrity: sha512-r5R2U8PSPNGBsz+HxZ1JYq/KkDSnDh1aBb+H16wKj2uByXKhedpuGt/z1Myvhfm084ccTloZjXDbfpSdYBLi4Q==} + engines: {node: '>=18'} + + '@polkadot/api-augment@13.2.1': + resolution: {integrity: sha512-NTkI+/Hm48eWc/4Ojh/5elxnjnow5ptXK97IZdkWAe7mWi9hJR05Uq5lGt/T/57E9LSRWEuYje8cIDS3jbbAAw==} + engines: {node: '>=18'} + + '@polkadot/api-augment@7.15.1': + resolution: {integrity: sha512-7csQLS6zuYuGq7W1EkTBz1ZmxyRvx/Qpz7E7zPSwxmY8Whb7Yn2effU9XF0eCcRpyfSW8LodF8wMmLxGYs1OaQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/api-augment@9.14.2': + resolution: {integrity: sha512-19MmW8AHEcLkdcUIo3LLk0eCQgREWqNSxkUyOeWn7UiNMY1AhDOOwMStUBNCvrIDK6VL6GGc1sY7rkPCLMuKSw==} + engines: {node: '>=14.0.0'} + + '@polkadot/api-base@10.13.1': + resolution: {integrity: sha512-Okrw5hjtEjqSMOG08J6qqEwlUQujTVClvY1/eZkzKwNzPelWrtV6vqfyJklB7zVhenlxfxqhZKKcY7zWSW/q5Q==} + engines: {node: '>=18'} + + '@polkadot/api-base@11.3.1': + resolution: {integrity: sha512-b8UkNL00NN7+3QaLCwL5cKg+7YchHoKCAhwKusWHNBZkkO6Oo2BWilu0dZkPJOyqV9P389Kbd9+oH+SKs9u2VQ==} + engines: {node: '>=18'} + + '@polkadot/api-base@12.1.1': + resolution: {integrity: sha512-/zLnekv5uFnjzYWhjUf6m0WOJorA0Qm/CWg7z6V+INnacDmVD+WIgYW+XLka90KXpW92sN5ycZEdcQGKBxSJOg==} + engines: {node: '>=18'} + + '@polkadot/api-base@12.4.2': + resolution: {integrity: sha512-XYI7Po8i6C4lYZah7Xo0v7zOAawBUfkmtx0YxsLY/665Sup8oqzEj666xtV9qjBzR9coNhQonIFOn+9fh27Ncw==} + engines: {node: '>=18'} + + '@polkadot/api-base@13.0.1': + resolution: {integrity: sha512-TDkgcSZLd3YQ3j9Zx6coEEiBazaK6y3CboaIuUbPNxR9DchlVdIJWSm/1Agh76opsEABK9SjDfsWzVw0TStidA==} + engines: {node: '>=18'} + + '@polkadot/api-base@13.2.1': + resolution: {integrity: sha512-00twdIjTjzdYNdU19i2YKLoWBmf2Yr6b3qrvqIVScHipUkKMbfFBgoPRB5FtcviBbEvLurgfyzHklwnrbWo8GQ==} + engines: {node: '>=18'} + + '@polkadot/api-base@7.15.1': + resolution: {integrity: sha512-UlhLdljJPDwGpm5FxOjvJNFTxXMRFaMuVNx6EklbuetbBEJ/Amihhtj0EJRodxQwtZ4ZtPKYKt+g+Dn7OJJh4g==} + engines: {node: '>=14.0.0'} + + '@polkadot/api-base@9.14.2': + resolution: {integrity: sha512-ky9fmzG1Tnrjr/SBZ0aBB21l0TFr+CIyQenQczoUyVgiuxVaI/2Bp6R2SFrHhG28P+PW2/RcYhn2oIAR2Z2fZQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/api-derive@10.13.1': + resolution: {integrity: sha512-ef0H0GeCZ4q5Om+c61eLLLL29UxFC2/u/k8V1K2JOIU+2wD5LF7sjAoV09CBMKKHfkLenRckVk2ukm4rBqFRpg==} + engines: {node: '>=18'} + + '@polkadot/api-derive@11.3.1': + resolution: {integrity: sha512-9dopzrh4cRuft1nANmBvMY/hEhFDu0VICMTOGxQLOl8NMfcOFPTLAN0JhSBUoicGZhV+c4vpv01NBx/7/IL1HA==} + engines: {node: '>=18'} + + '@polkadot/api-derive@12.1.1': + resolution: {integrity: sha512-VMwHcQY8gU/fhwgRICs9/EwTZVMSWW9Gf1ktwsWQmNM1RnrR6oN4/hvzsQor4Be/mC93w2f8bX/71QVmOgL5NA==} + engines: {node: '>=18'} + + '@polkadot/api-derive@12.4.2': + resolution: {integrity: sha512-R0AMANEnqs5AiTaiQX2FXCxUlOibeDSgqlkyG1/0KDsdr6PO/l3dJOgEO+grgAwh4hdqzk4I9uQpdKxG83f2Gw==} + engines: {node: '>=18'} + + '@polkadot/api-derive@13.0.1': + resolution: {integrity: sha512-TiPSFp6l9ks0HLJoEWHyqKKz28eoWz3xqglFG10As0udU8J1u8trPyr+SLWHT0DVsto3u9CP+OneWWMA7fTlCw==} + engines: {node: '>=18'} + + '@polkadot/api-derive@13.2.1': + resolution: {integrity: sha512-npxvS0kYcSFqmYv2G8QKWAJwFhIv/MBuGU0bV7cGP9K1A3j2Do3yYjvN1dTtY20jBavWNwmWFdXBV6/TRRsgmg==} + engines: {node: '>=18'} + + '@polkadot/api-derive@7.15.1': + resolution: {integrity: sha512-CsOQppksQBaa34L1fWRzmfQQpoEBwfH0yTTQxgj3h7rFYGVPxEKGeFjo1+IgI2vXXvOO73Z8E4H/MnbxvKrs1Q==} + engines: {node: '>=14.0.0'} + + '@polkadot/api-derive@9.14.2': + resolution: {integrity: sha512-yw9OXucmeggmFqBTMgza0uZwhNjPxS7MaT7lSCUIRKckl1GejdV+qMhL3XFxPFeYzXwzFpdPG11zWf+qJlalqw==} + engines: {node: '>=14.0.0'} + + '@polkadot/api@10.13.1': + resolution: {integrity: sha512-YrKWR4TQR5CDyGkF0mloEUo7OsUA+bdtENpJGOtNavzOQUDEbxFE0PVzokzZfVfHhHX2CojPVmtzmmLxztyJkg==} + engines: {node: '>=18'} + + '@polkadot/api@11.3.1': + resolution: {integrity: sha512-q4kFIIHTLvKxM24b0Eo8hJevsPMme+aITJGrDML9BgdZYTRN14+cu5nXiCsQvaEamdyYj+uCXWe2OV9X7pPxsA==} + engines: {node: '>=18'} + + '@polkadot/api@12.1.1': + resolution: {integrity: sha512-XvX1gRUsnHDkEARBS1TAFCXncp6YABf/NCtOBt8FohokSzvB6Kxrcb6zurMbUm2piOdjgW5xsG3TCDRw6vACLA==} + engines: {node: '>=18'} + + '@polkadot/api@12.4.2': + resolution: {integrity: sha512-e1KS048471iBWZU10TJNEYOZqLO+8h8ajmVqpaIBOVkamN7tmacBxmHgq0+IA8VrGxjxtYNa1xF5Sqrg76uBEg==} + engines: {node: '>=18'} + + '@polkadot/api@13.0.1': + resolution: {integrity: sha512-st+Y5I8+7/3PCtO651viU4C7PcbDZJHB93acPjqCGzpekwrxOmnBEsupw8CcJwyRVzj/7qMadkSd0b/Uc8JqIA==} + engines: {node: '>=18'} + + '@polkadot/api@13.2.1': + resolution: {integrity: sha512-QvgKD3/q6KIU3ZuNYFJUNc6B8bGBoqeMF+iaPxJn3Twhh4iVD5XIymD5fVszSqiL1uPXMhzcWecjwE8rDidBoQ==} + engines: {node: '>=18'} + + '@polkadot/api@7.15.1': + resolution: {integrity: sha512-z0z6+k8+R9ixRMWzfsYrNDnqSV5zHKmyhTCL0I7+1I081V18MJTCFUKubrh0t1gD0/FCt3U9Ibvr4IbtukYLrQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/api@9.14.2': + resolution: {integrity: sha512-R3eYFj2JgY1zRb+OCYQxNlJXCs2FA+AU4uIEiVcXnVLmR3M55tkRNEwYAZmiFxx0pQmegGgPMc33q7TWGdw24A==} + engines: {node: '>=14.0.0'} + + '@polkadot/apps-config@0.143.2': + resolution: {integrity: sha512-b+l1GpJ6x68h3m1hWWeO6dbsPjY/PtR8mdaDjxHt0CuWf3bUpZQLjPUrAHPtpuJ3DxwbJY+ALK1grMA3JeuchQ==} + engines: {node: '>=18'} + + '@polkadot/keyring@10.4.2': + resolution: {integrity: sha512-7iHhJuXaHrRTG6cJDbZE9G+c1ts1dujp0qbO4RfAPmT7YUvphHvAtCKueN9UKPz5+TYDL+rP/jDEaSKU8jl/qQ==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 10.4.2 + '@polkadot/util-crypto': 10.4.2 + + '@polkadot/keyring@12.6.2': + resolution: {integrity: sha512-O3Q7GVmRYm8q7HuB3S0+Yf/q/EB2egKRRU3fv9b3B7V+A52tKzA+vIwEmNVaD1g5FKW9oB97rmpggs0zaKFqHw==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': 12.6.2 + '@polkadot/util-crypto': 12.6.2 + + '@polkadot/keyring@13.1.1': + resolution: {integrity: sha512-Wm+9gn946GIPjGzvueObLGBBS9s541HE6mvKdWGEmPFMzH93ESN931RZlOd67my5MWryiSP05h5SHTp7bSaQTA==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': 13.1.1 + '@polkadot/util-crypto': 13.1.1 + + '@polkadot/keyring@6.11.1': + resolution: {integrity: sha512-rW8INl7pO6Dmaffd6Df1yAYCRWa2RmWQ0LGfJeA/M6seVIkI6J3opZqAd4q2Op+h9a7z4TESQGk8yggOEL+Csg==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 6.11.1 + '@polkadot/util-crypto': 6.11.1 + + '@polkadot/keyring@7.9.2': + resolution: {integrity: sha512-6UGoIxhiTyISkYEZhUbCPpgVxaneIfb/DBVlHtbvaABc8Mqh1KuqcTIq19Mh9wXlBuijl25rw4lUASrE/9sBqg==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 7.9.2 + '@polkadot/util-crypto': 7.9.2 + + '@polkadot/keyring@8.7.1': + resolution: {integrity: sha512-t6ZgQVC+nQT7XwbWtEhkDpiAzxKVJw8Xd/gWdww6xIrawHu7jo3SGB4QNdPgkf8TvDHYAAJiupzVQYAlOIq3GA==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 8.7.1 + '@polkadot/util-crypto': 8.7.1 + + '@polkadot/metadata@4.17.1': + resolution: {integrity: sha512-219isiCWVfbu5JxZnOPj+cV4T+S0XHS4+Jal3t3xz9y4nbgr+25Pa4KInEsJPx0u8EZAxMeiUCX3vd5U7oe72g==} + engines: {node: '>=14.0.0'} + + '@polkadot/networks@10.4.2': + resolution: {integrity: sha512-FAh/znrEvWBiA/LbcT5GXHsCFUl//y9KqxLghSr/CreAmAergiJNT0MVUezC7Y36nkATgmsr4ylFwIxhVtuuCw==} + engines: {node: '>=14.0.0'} + + '@polkadot/networks@12.6.2': + resolution: {integrity: sha512-1oWtZm1IvPWqvMrldVH6NI2gBoCndl5GEwx7lAuQWGr7eNL+6Bdc5K3Z9T0MzFvDGoi2/CBqjX9dRKo39pDC/w==} + engines: {node: '>=18'} + + '@polkadot/networks@13.1.1': + resolution: {integrity: sha512-eEQ4+Mfl1xFtApeU5PdXZ2XBhxNSvUz9yW+YQVGUCkXRjWFbqNRsTOYWGd9uFbiAOXiiiXbtqfZpxSDzIm4XOg==} + engines: {node: '>=18'} + + '@polkadot/networks@6.11.1': + resolution: {integrity: sha512-0C6Ha2kvr42se3Gevx6UhHzv3KnPHML0N73Amjwvdr4y0HLZ1Nfw+vcm5yqpz5gpiehqz97XqFrsPRauYdcksQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/networks@8.7.1': + resolution: {integrity: sha512-8xAmhDW0ry5EKcEjp6VTuwoTm0DdDo/zHsmx88P6sVL87gupuFsL+B6TrsYLl8GcaqxujwrOlKB+CKTUg7qFKg==} + engines: {node: '>=14.0.0'} + + '@polkadot/react-identicon@3.10.1': + resolution: {integrity: sha512-zzcKixDj27YdA4gTN+IvKFFSgatKliHuqsEjOJxAidLsbD1EUJUqeYuNhUftLFGO7JEJG0qrKJhCNLBvDJcJlg==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/keyring': '*' + '@polkadot/util': '*' + '@polkadot/util-crypto': '*' + react: '*' + react-dom: '*' + react-is: '*' + + '@polkadot/rpc-augment@10.13.1': + resolution: {integrity: sha512-iLsWUW4Jcx3DOdVrSHtN0biwxlHuTs4QN2hjJV0gd0jo7W08SXhWabZIf9mDmvUJIbR7Vk+9amzvegjRyIf5+A==} + engines: {node: '>=18'} + + '@polkadot/rpc-augment@11.3.1': + resolution: {integrity: sha512-2PaDcKNju4QYQpxwVkWbRU3M0t340nMX9cMo+8awgvgL1LliV/fUDZueMKLuSS910JJMTPQ7y2pK4eQgMt08gQ==} + engines: {node: '>=18'} + + '@polkadot/rpc-augment@12.1.1': + resolution: {integrity: sha512-oDPn070l94pppXbuVk75BVsYgupdV8ndmslnUKWpPlfOeAU5SaBu4jMkj3eAi3VH0ersUpmlp1UuYN612//h8w==} + engines: {node: '>=18'} + + '@polkadot/rpc-augment@12.4.2': + resolution: {integrity: sha512-IEco5pnso+fYkZNMlMAN5i4XAxdXPv0PZ0HNuWlCwF/MmRvWl8pq5JFtY1FiByHEbeuHwMIUhHM5SDKQ85q9Hg==} + engines: {node: '>=18'} + + '@polkadot/rpc-augment@13.0.1': + resolution: {integrity: sha512-igXNG8mONVgqS4Olt7+WmPoX7G/QL/xrHkPOAD2sbS8+p8LC2gDe/+vVFIkKtEKAHgYSel3vZT3iIppjtEG6gw==} + engines: {node: '>=18'} + + '@polkadot/rpc-augment@13.2.1': + resolution: {integrity: sha512-HkndaAJPR1fi2xrzvP3q4g48WUCb26btGTeg1AKG9FGx9P2dgtpaPRmbMitmgVSzzRurrkxf3Meip8nC7BwDeg==} + engines: {node: '>=18'} + + '@polkadot/rpc-augment@7.15.1': + resolution: {integrity: sha512-sK0+mphN7nGz/eNPsshVi0qd0+N0Pqxuebwc1YkUGP0f9EkDxzSGp6UjGcSwWVaAtk9WZZ1MpK1Jwb/2GrKV7Q==} + engines: {node: '>=14.0.0'} + + '@polkadot/rpc-augment@9.14.2': + resolution: {integrity: sha512-mOubRm3qbKZTbP9H01XRrfTk7k5it9WyzaWAg72DJBQBYdgPUUkGSgpPD/Srkk5/5GAQTWVWL1I2UIBKJ4TJjQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/rpc-core@10.13.1': + resolution: {integrity: sha512-eoejSHa+/tzHm0vwic62/aptTGbph8vaBpbvLIK7gd00+rT813ROz5ckB1CqQBFB23nHRLuzzX/toY8ID3xrKw==} + engines: {node: '>=18'} + + '@polkadot/rpc-core@11.3.1': + resolution: {integrity: sha512-KKNepsDd/mpmXcA6v/h14eFFPEzLGd7nrvx2UUXUxoZ0Fq2MH1hplP3s93k1oduNY/vOXJR2K9S4dKManA6GVQ==} + engines: {node: '>=18'} + + '@polkadot/rpc-core@12.1.1': + resolution: {integrity: sha512-NB4BZo9RdAZPBfZ11NoujB8+SDkDgvlrSiiv9FPMhfvTJo0Sr5FAq0Wd2aSC4D/6qbt5e89CHOW+0gBEm9d6dw==} + engines: {node: '>=18'} + + '@polkadot/rpc-core@12.4.2': + resolution: {integrity: sha512-yaveqxNcmyluyNgsBT5tpnCa/md0CGbOtRK7K82LWsz7gsbh0x80GBbJrQGxsUybg1gPeZbO1q9IigwA6fY8ag==} + engines: {node: '>=18'} + + '@polkadot/rpc-core@13.0.1': + resolution: {integrity: sha512-+z7/4RUsJKiELEunZgXvi4GkGgjPhQd3+RYwCCN455efJ15SHPgdREsAOwUSBO5/dODqXeqZYojKAUIxMlJNqw==} + engines: {node: '>=18'} + + '@polkadot/rpc-core@13.2.1': + resolution: {integrity: sha512-hy0GksUlb/TfQ38m3ysIWj3qD+rIsyCdxx8Ug5rIx1u0odv86NZ7nTqtH066Ct2riVaPBgBkObFnlpDWTJ6auA==} + engines: {node: '>=18'} + + '@polkadot/rpc-core@7.15.1': + resolution: {integrity: sha512-4Sb0e0PWmarCOizzxQAE1NQSr5z0n+hdkrq3+aPohGu9Rh4PodG+OWeIBy7Ov/3GgdhNQyBLG+RiVtliXecM3g==} + engines: {node: '>=14.0.0'} + + '@polkadot/rpc-core@9.14.2': + resolution: {integrity: sha512-krA/mtQ5t9nUQEsEVC1sjkttLuzN6z6gyJxK2IlpMS3S5ncy/R6w4FOpy+Q0H18Dn83JBo0p7ZtY7Y6XkK48Kw==} + engines: {node: '>=14.0.0'} + + '@polkadot/rpc-provider@10.13.1': + resolution: {integrity: sha512-oJ7tatVXYJ0L7NpNiGd69D558HG5y5ZDmH2Bp9Dd4kFTQIiV8A39SlWwWUPCjSsen9lqSvvprNLnG/VHTpenbw==} + engines: {node: '>=18'} + + '@polkadot/rpc-provider@11.3.1': + resolution: {integrity: sha512-pqERChoHo45hd3WAgW8UuzarRF+G/o/eXEbl0PXLubiayw4X4qCmIzmtntUcKYgxGNcYGZaG87ZU8OjN97m6UA==} + engines: {node: '>=18'} + + '@polkadot/rpc-provider@12.1.1': + resolution: {integrity: sha512-nDr0Qb5sIzTTx6qmgr9ibNcQs/VDoPzZ+49kcltf0A6BdSytGy532Yhf2A158aD41324V9YPAzxVRLxZyJzhkw==} + engines: {node: '>=18'} + + '@polkadot/rpc-provider@12.4.2': + resolution: {integrity: sha512-cAhfN937INyxwW1AdjABySdCKhC7QCIONRDHDea1aLpiuxq/w+QwjxauR9fCNGh3lTaAwwnmZ5WfFU2PtkDMGQ==} + engines: {node: '>=18'} + + '@polkadot/rpc-provider@13.0.1': + resolution: {integrity: sha512-rl7jizh0b9FI2Z81vbpm+ui6cND3zxMMC8SSxkIzemC0t1L6O/I+zaPYwNpqVpa7wIeZbSfe69SrvtjeZBcn2g==} + engines: {node: '>=18'} + + '@polkadot/rpc-provider@13.2.1': + resolution: {integrity: sha512-bbMVYHTNFUa89aY3UQ1hFYD+dP+v+0vhjsnHYYlv37rSUTqOGqW91rkHd63xYCpLAimFt7KRw8xR+SMSYiuDjw==} + engines: {node: '>=18'} + + '@polkadot/rpc-provider@7.15.1': + resolution: {integrity: sha512-n0RWfSaD/r90JXeJkKry1aGZwJeBUUiMpXUQ9Uvp6DYBbYEDs0fKtWLpdT3PdFrMbe5y3kwQmNLxwe6iF4+mzg==} + engines: {node: '>=14.0.0'} + + '@polkadot/rpc-provider@9.14.2': + resolution: {integrity: sha512-YTSywjD5PF01V47Ru5tln2LlpUwJiSOdz6rlJXPpMaY53hUp7+xMU01FVAQ1bllSBNisSD1Msv/mYHq84Oai2g==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-augment@10.13.1': + resolution: {integrity: sha512-TcrLhf95FNFin61qmVgOgayzQB/RqVsSg9thAso1Fh6pX4HSbvI35aGPBAn3SkA6R+9/TmtECirpSNLtIGFn0g==} + engines: {node: '>=18'} + + '@polkadot/types-augment@11.3.1': + resolution: {integrity: sha512-eR3HVpvUmB3v7q2jTWVmVfAVfb1/kuNn7ij94Zqadg/fuUq0pKqIOKwkUj3OxRM3A/5BnW3MbgparjKD3r+fyw==} + engines: {node: '>=18'} + + '@polkadot/types-augment@12.1.1': + resolution: {integrity: sha512-HdzjaXapcmNAdT6TWJOuv124PTKbAf5+5JldQ7oPZFaCEhaOTazZYiZ27nqLaj0l4rG7wWzFMiGqjbHwAvtmlg==} + engines: {node: '>=18'} + + '@polkadot/types-augment@12.4.2': + resolution: {integrity: sha512-3fDCOy2BEMuAtMYl4crKg76bv/0pDNEuzpAzV4EBUMIlJwypmjy5sg3gUPCMcA+ckX3xb8DhkWU4ceUdS7T2KQ==} + engines: {node: '>=18'} + + '@polkadot/types-augment@13.0.1': + resolution: {integrity: sha512-MKS8OAiKHgeeLwyjPukHRwlUlrTkdPTVdsFs6H3yWUr0G2I2nIgHuOTK/8OYVBMplNnLgPsNtpEpY+VduAEefQ==} + engines: {node: '>=18'} + + '@polkadot/types-augment@13.2.1': + resolution: {integrity: sha512-FpV7/2kIJmmswRmwUbp41lixdNX15olueUjHnSweFk0xEn2Ur43oC0Y3eU3Ab7Y5gPJpceMCfwYz+PjCUGedDA==} + engines: {node: '>=18'} + + '@polkadot/types-augment@7.15.1': + resolution: {integrity: sha512-aqm7xT/66TCna0I2utpIekoquKo0K5pnkA/7WDzZ6gyD8he2h0IXfe8xWjVmuyhjxrT/C/7X1aUF2Z0xlOCwzQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-augment@9.14.2': + resolution: {integrity: sha512-WO9d7RJufUeY3iFgt2Wz762kOu1tjEiGBR5TT4AHtpEchVHUeosVTrN9eycC+BhleqYu52CocKz6u3qCT/jKLg==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-codec@10.13.1': + resolution: {integrity: sha512-AiQ2Vv2lbZVxEdRCN8XSERiWlOWa2cTDLnpAId78EnCtx4HLKYQSd+Jk9Y4BgO35R79mchK4iG+w6gZ+ukG2bg==} + engines: {node: '>=18'} + + '@polkadot/types-codec@11.3.1': + resolution: {integrity: sha512-i7IiiuuL+Z/jFoKTA9xeh4wGQnhnNNjMT0+1ohvlOvnFsoKZKFQQOaDPPntGJVL1JDCV+KjkN2uQKZSeW8tguQ==} + engines: {node: '>=18'} + + '@polkadot/types-codec@12.1.1': + resolution: {integrity: sha512-Ob3nFptHT4dDvGc/3l4dBXmvsI3wDWS2oCOxACA+hYWufnlTIQ4M4sHI4kSBQvDoEmaFt8P2Be4SmtyT0VSd1w==} + engines: {node: '>=18'} + + '@polkadot/types-codec@12.4.2': + resolution: {integrity: sha512-DiPGRFWtVMepD9i05eC3orSbGtpN7un/pXOrXu0oriU+oxLkpvZH68ZsPNtJhKdQy03cAYtvB8elJOFJZYqoqQ==} + engines: {node: '>=18'} + + '@polkadot/types-codec@13.0.1': + resolution: {integrity: sha512-E+8Ny8wr/BEGqchoLejP8Z6qmQQaJmBui1rlwWgKCypI4gnDvhNa+hHheIgrUfSzNwUgsxC/04G9fIRnCaxDpw==} + engines: {node: '>=18'} + + '@polkadot/types-codec@13.2.1': + resolution: {integrity: sha512-tFAzzS8sMYItoD5a91sFMD+rskWyv4WjSmUZaj0Y4OfLtDAiQvgO0KncdGJIB6D+zZ/T7khpgsv/CZbN3YnezA==} + engines: {node: '>=18'} + + '@polkadot/types-codec@7.15.1': + resolution: {integrity: sha512-nI11dT7FGaeDd/fKPD8iJRFGhosOJoyjhZ0gLFFDlKCaD3AcGBRTTY8HFJpP/5QXXhZzfZsD93fVKrosnegU0Q==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-codec@9.14.2': + resolution: {integrity: sha512-AJ4XF7W1no4PENLBRU955V6gDxJw0h++EN3YoDgThozZ0sj3OxyFupKgNBZcZb2V23H8JxQozzIad8k+nJbO1w==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-create@10.13.1': + resolution: {integrity: sha512-Usn1jqrz35SXgCDAqSXy7mnD6j4RvB4wyzTAZipFA6DGmhwyxxIgOzlWQWDb+1PtPKo9vtMzen5IJ+7w5chIeA==} + engines: {node: '>=18'} + + '@polkadot/types-create@11.3.1': + resolution: {integrity: sha512-pBXtpz5FehcRJ6j5MzFUIUN8ZWM7z6HbqK1GxBmYbJVRElcGcOg7a/rL2pQVphU0Rx1E8bSO4thzGf4wUxSX7w==} + engines: {node: '>=18'} + + '@polkadot/types-create@12.1.1': + resolution: {integrity: sha512-K/I4vCnmI7IbtQeURiRMONDqesIVcZp16KEduBcbJm/RWDj0D3mr71066Yr8OhrhteLvULJpViy7EK4ynPvmSw==} + engines: {node: '>=18'} + + '@polkadot/types-create@12.4.2': + resolution: {integrity: sha512-nOpeAKZLdSqNMfzS3waQXgyPPaNt8rUHEmR5+WNv6c/Ke/vyf710wjxiTewfp0wpBgtdrimlgG4DLX1J9Ms1LA==} + engines: {node: '>=18'} + + '@polkadot/types-create@13.0.1': + resolution: {integrity: sha512-ge5ZmZOQoCqSOB1JtcZZFq2ysh4rnS9xrwC5BVbtk9GZaop5hRmLLmCXqDn49zEsgynRWHgOiKMP8T9AvOigMg==} + engines: {node: '>=18'} + + '@polkadot/types-create@13.2.1': + resolution: {integrity: sha512-O/WKdsrNuMaZLf+XRCdum2xJYs5OKC6N3EMPF5Uhg10b80Y/hQCbzA/iWd3/aMNDLUA5XWhixwzJdrZWIMVIzg==} + engines: {node: '>=18'} + + '@polkadot/types-create@7.15.1': + resolution: {integrity: sha512-+HiaHn7XOwP0kv/rVdORlVkNuMoxuvt+jd67A/CeEreJiXqRLu+S61Mdk7wi6719PTaOal1hTDFfyGrtUd8FSQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-create@9.14.2': + resolution: {integrity: sha512-nSnKpBierlmGBQT8r6/SHf6uamBIzk4WmdMsAsR4uJKJF1PtbIqx2W5PY91xWSiMSNMzjkbCppHkwaDAMwLGaw==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-known@10.13.1': + resolution: {integrity: sha512-uHjDW05EavOT5JeU8RbiFWTgPilZ+odsCcuEYIJGmK+es3lk/Qsdns9Zb7U7NJl7eJ6OWmRtyrWsLs+bU+jjIQ==} + engines: {node: '>=18'} + + '@polkadot/types-known@11.3.1': + resolution: {integrity: sha512-3BIof7u6tn9bk3ZCIxA07iNoQ3uj4+vn3DTOjCKECozkRlt6V+kWRvqh16Hc0SHMg/QjcMb2fIu/WZhka1McUQ==} + engines: {node: '>=18'} + + '@polkadot/types-known@12.1.1': + resolution: {integrity: sha512-4YxY7tB+BVX6k3ubrToYKyh2Jb4QvoLvzwNSGSjyj0RGwiQCu8anFGIzYdaUJ2iQlhLFb6P4AZWykVvhrXGmqg==} + engines: {node: '>=18'} + + '@polkadot/types-known@12.4.2': + resolution: {integrity: sha512-bvhO4KQu/dgPmdwQXsweSMRiRisJ7Bp38lZVEIFykfd2qYyRW3OQEbIPKYpx9raD+fDATU0bTiKQnELrSGhYXw==} + engines: {node: '>=18'} + + '@polkadot/types-known@13.0.1': + resolution: {integrity: sha512-ZWtQSrDoO290RJu7mZDo1unKcfz1O3ylQkKH7g3oh6Mzmq9I4q7jeS1kS22rJml45berAPIVqZ3zFfODTl6ngA==} + engines: {node: '>=18'} + + '@polkadot/types-known@13.2.1': + resolution: {integrity: sha512-uz3c4/IvspLpgN8q15A+QH8KWFauzcrV3RfLFlMP2BkkF5qpOwNeP7c4U8j0CZGQySqBsJRCGWmgBXrXg669KA==} + engines: {node: '>=18'} + + '@polkadot/types-known@4.17.1': + resolution: {integrity: sha512-YkOwGrO+k9aVrBR8FgYHnfJKhOfpdgC5ZRYNL/xJ9oa7lBYqPts9ENAxeBmJS/5IGeDF9f32MNyrCP2umeCXWg==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-known@6.12.1': + resolution: {integrity: sha512-Z8bHpPQy+mqUm0uR1tai6ra0bQIoPmgRcGFYUM+rJtW1kx/6kZLh10HAICjLpPeA1cwLRzaxHRDqH5MCU6OgXw==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-known@7.15.1': + resolution: {integrity: sha512-LMcNP0CxT84DqAKV62/qDeeIVIJCR5yzE9b+9AsYhyfhE4apwxjrThqZA7K0CF56bOdQJSexAerYB/jwk2IijA==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-known@9.14.2': + resolution: {integrity: sha512-iM8WOCgguzJ3TLMqlm4K1gKQEwWm2zxEKT1HZZ1irs/lAbBk9MquDWDvebryiw3XsLB8xgrp3RTIBn2Q4FjB2A==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-support@10.13.1': + resolution: {integrity: sha512-4gEPfz36XRQIY7inKq0HXNVVhR6HvXtm7yrEmuBuhM86LE0lQQBkISUSgR358bdn2OFSLMxMoRNoh3kcDvdGDQ==} + engines: {node: '>=18'} + + '@polkadot/types-support@11.3.1': + resolution: {integrity: sha512-jTFz1GKyF7nI29yIOq4v0NiWTOf5yX4HahJNeFD8TcxoLhF+6tH/XXqrUXJEfbaTlSrRWiW1LZYlb+snctqKHA==} + engines: {node: '>=18'} + + '@polkadot/types-support@12.1.1': + resolution: {integrity: sha512-mLXrbj0maKFWqV1+4QRzaNnZyV/rAQW0XSrIzfIZn//zSRSIUaXaVAZ62uzgdmzXXFH2qD3hpNlmvmjcEMm2Qg==} + engines: {node: '>=18'} + + '@polkadot/types-support@12.4.2': + resolution: {integrity: sha512-bz6JSt23UEZ2eXgN4ust6z5QF9pO5uNH7UzCP+8I/Nm85ZipeBYj2Wu6pLlE3Hw30hWZpuPxMDOKoEhN5bhLgw==} + engines: {node: '>=18'} + + '@polkadot/types-support@13.0.1': + resolution: {integrity: sha512-UeGnjvyZSegFgzZ6HlR4H7+1itJBAEkGm9NKwEvZTTZJ0dG4zdxbHLNPURJ9UhDYCZ7bOGqkcB49o+hWY25dDA==} + engines: {node: '>=18'} + + '@polkadot/types-support@13.2.1': + resolution: {integrity: sha512-jSbbUTXU+yZJQPRAWmxaDoe4NRO6SjpZPzBIbpuiadx1slON8XB80fVYIGBXuM2xRVrNrB6fCjyCTG7Razj6Hg==} + engines: {node: '>=18'} + + '@polkadot/types-support@7.15.1': + resolution: {integrity: sha512-FIK251ffVo+NaUXLlaJeB5OvT7idDd3uxaoBM6IwsS87rzt2CcWMyCbu0uX89AHZUhSviVx7xaBxfkGEqMePWA==} + engines: {node: '>=14.0.0'} + + '@polkadot/types-support@9.14.2': + resolution: {integrity: sha512-VWCOPgXDK3XtXT7wMLyIWeNDZxUbNcw/8Pn6n6vMogs7o/n4h6WGbGMeTIQhPWyn831/RmkVs5+2DUC+2LlOhw==} + engines: {node: '>=14.0.0'} + + '@polkadot/types@10.13.1': + resolution: {integrity: sha512-Hfvg1ZgJlYyzGSAVrDIpp3vullgxrjOlh/CSThd/PI4TTN1qHoPSFm2hs77k3mKkOzg+LrWsLE0P/LP2XddYcw==} + engines: {node: '>=18'} + + '@polkadot/types@11.3.1': + resolution: {integrity: sha512-5c7uRFXQTT11Awi6T0yFIdAfD6xGDAOz06Kp7M5S9OGNZY28wSPk5x6BYfNphWPaIBmHHewYJB5qmnrdYQAWKQ==} + engines: {node: '>=18'} + + '@polkadot/types@12.1.1': + resolution: {integrity: sha512-+b8v7ORjL20r6VvdWL/fPTHmDXtfAfqkQQxBB6exxOhqrnJfnhAYQjJomKcyj1VMTQiyyR9FBAc7vVvTEFX2ew==} + engines: {node: '>=18'} + + '@polkadot/types@12.4.2': + resolution: {integrity: sha512-ivYtt7hYcRvo69ULb1BJA9BE1uefijXcaR089Dzosr9+sMzvsB1yslNQReOq+Wzq6h6AQj4qex6qVqjWZE6Z4A==} + engines: {node: '>=18'} + + '@polkadot/types@13.0.1': + resolution: {integrity: sha512-01uOx24Fjvhjt1CvKOL+oy1eExAsF4EVuwgZhwAL+WkD0zqlOlAhqlXn5Wg7sY80yzwmgDTLd8Oej/pHFOdCBQ==} + engines: {node: '>=18'} + + '@polkadot/types@13.2.1': + resolution: {integrity: sha512-5yQ0mHMNvwgXeHQ1RZOuHaeak3utAdcBqCpHoagnYrAnGHqtO7kg7YLtT4LkFw2nwL85axu8tOQMv6/3kpFy9w==} + engines: {node: '>=18'} + + '@polkadot/types@4.17.1': + resolution: {integrity: sha512-rjW4OFdwvFekzN3ATLibC2JPSd8AWt5YepJhmuCPdwH26r3zB8bEC6dM7YQExLVUmygVPvgXk5ffHI6RAdXBMg==} + engines: {node: '>=14.0.0'} + + '@polkadot/types@6.12.1': + resolution: {integrity: sha512-O37cAGUL0xiXTuO3ySweVh0OuFUD6asrd0TfuzGsEp3jAISWdElEHV5QDiftWq8J9Vf8BMgTcP2QLFbmSusxqA==} + engines: {node: '>=14.0.0'} + + '@polkadot/types@7.15.1': + resolution: {integrity: sha512-KawZVS+eLR1D6O7c/P5cSUwr6biM9Qd2KwKtJIO8l1Mrxp7r+y2tQnXSSXVAd6XPdb3wVMhnIID+NW3W99TAnQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/types@9.14.2': + resolution: {integrity: sha512-hGLddTiJbvowhhUZJ3k+olmmBc1KAjWIQxujIUIYASih8FQ3/YJDKxaofGOzh0VygOKW3jxQBN2VZPofyDP9KQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/ui-settings@3.10.1': + resolution: {integrity: sha512-FD22MWrTue0Ry4gk+tnCRUOju0tzMwNZoUutSMaYJwIFqiLw4PZu8YRle2uwWI/XioUfjzYC59WDJcYhtY3y4w==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/networks': '*' + '@polkadot/util': '*' + + '@polkadot/ui-shared@3.10.1': + resolution: {integrity: sha512-g7cjZhIYEUsV2MPolRhBY/41Mhpg1b1J3S3DQMIO2Q/Kg78askeypBdMspOrpVO/UGpWWCGUh07ix3xpJWiGMw==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/util-crypto': '*' + + '@polkadot/util-crypto@10.4.2': + resolution: {integrity: sha512-RxZvF7C4+EF3fzQv8hZOLrYCBq5+wA+2LWv98nECkroChY3C2ZZvyWDqn8+aonNULt4dCVTWDZM0QIY6y4LUAQ==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 10.4.2 + + '@polkadot/util-crypto@12.6.2': + resolution: {integrity: sha512-FEWI/dJ7wDMNN1WOzZAjQoIcCP/3vz3wvAp5QQm+lOrzOLj0iDmaIGIcBkz8HVm3ErfSe/uKP0KS4jgV/ib+Mg==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': 12.6.2 + + '@polkadot/util-crypto@13.1.1': + resolution: {integrity: sha512-FG68rrLPdfLcscEyH10vnGkakM4O2lqr71S3GDhgc9WXaS8y9jisLgMPg8jbMHiQBJ3iKYkmtPKiLBowRslj2w==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': 13.1.1 + + '@polkadot/util-crypto@6.11.1': + resolution: {integrity: sha512-fWA1Nz17FxWJslweZS4l0Uo30WXb5mYV1KEACVzM+BSZAvG5eoiOAYX6VYZjyw6/7u53XKrWQlD83iPsg3KvZw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 6.11.1 + + '@polkadot/util-crypto@8.7.1': + resolution: {integrity: sha512-TaSuJ2aNrB5sYK7YXszkEv24nYJKRFqjF2OrggoMg6uYxUAECvTkldFnhtgeizMweRMxJIBu6bMHlSIutbWgjw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': 8.7.1 + + '@polkadot/util@10.4.2': + resolution: {integrity: sha512-0r5MGICYiaCdWnx+7Axlpvzisy/bi1wZGXgCSw5+ZTyPTOqvsYRqM2X879yxvMsGfibxzWqNzaiVjToz1jvUaA==} + engines: {node: '>=14.0.0'} + + '@polkadot/util@12.6.2': + resolution: {integrity: sha512-l8TubR7CLEY47240uki0TQzFvtnxFIO7uI/0GoWzpYD/O62EIAMRsuY01N4DuwgKq2ZWD59WhzsLYmA5K6ksdw==} + engines: {node: '>=18'} + + '@polkadot/util@13.1.1': + resolution: {integrity: sha512-M4iQ5Um8tFdDmD7a96nPzfrEt+kxyWOqQDPqXyaax4QBnq/WCbq0jo8IO61uz55mdMQnGZvq8jd8uge4V6JzzQ==} + engines: {node: '>=18'} + + '@polkadot/util@6.11.1': + resolution: {integrity: sha512-TEdCetr9rsdUfJZqQgX/vxLuV4XU8KMoKBMJdx+JuQ5EWemIdQkEtMBdL8k8udNGbgSNiYFA6rPppATeIxAScg==} + engines: {node: '>=14.0.0'} + + '@polkadot/util@8.7.1': + resolution: {integrity: sha512-XjY1bTo7V6OvOCe4yn8H2vifeuBciCy0gq0k5P1tlGUQLI/Yt0hvDmxcA0FEPtqg8CL+rYRG7WXGPVNjkrNvyQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/wasm-bridge@6.4.1': + resolution: {integrity: sha512-QZDvz6dsUlbYsaMV5biZgZWkYH9BC5AfhT0f0/knv8+LrbAoQdP3Asbvddw8vyU9sbpuCHXrd4bDLBwUCRfrBQ==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-bridge@7.3.2': + resolution: {integrity: sha512-AJEXChcf/nKXd5Q/YLEV5dXQMle3UNT7jcXYmIffZAo/KI394a+/24PaISyQjoNC0fkzS1Q8T5pnGGHmXiVz2g==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-crypto-asmjs@4.6.1': + resolution: {integrity: sha512-1oHQjz2oEO1kCIcQniOP+dZ9N2YXf2yCLHLsKaKSvfXiWaetVCaBNB8oIHIVYvuLnVc8qlMi66O6xc1UublHsw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-asmjs@5.1.1': + resolution: {integrity: sha512-1WBwc2G3pZMKW1T01uXzKE30Sg22MXmF3RbbZiWWk3H2d/Er4jZQRpjumxO5YGWan+xOb7HQQdwnrUnrPgbDhg==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-asmjs@6.4.1': + resolution: {integrity: sha512-UxZTwuBZlnODGIQdCsE2Sn/jU0O2xrNQ/TkhRFELfkZXEXTNu4lw6NpaKq7Iey4L+wKd8h4lT3VPVkMcPBLOvA==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-asmjs@7.3.2': + resolution: {integrity: sha512-QP5eiUqUFur/2UoF2KKKYJcesc71fXhQFLT3D4ZjG28Mfk2ZPI0QNRUfpcxVQmIUpV5USHg4geCBNuCYsMm20Q==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-init@6.4.1': + resolution: {integrity: sha512-1ALagSi/nfkyFaH6JDYfy/QbicVbSn99K8PV9rctDUfxc7P06R7CoqbjGQ4OMPX6w1WYVPU7B4jPHGLYBlVuMw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-crypto-init@7.3.2': + resolution: {integrity: sha512-FPq73zGmvZtnuJaFV44brze3Lkrki3b4PebxCy9Fplw8nTmisKo9Xxtfew08r0njyYh+uiJRAxPCXadkC9sc8g==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-crypto-wasm@4.6.1': + resolution: {integrity: sha512-NI3JVwmLjrSYpSVuhu0yeQYSlsZrdpK41UC48sY3kyxXC71pi6OVePbtHS1K3xh3FFmDd9srSchExi3IwzKzMw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-wasm@5.1.1': + resolution: {integrity: sha512-F9PZ30J2S8vUNl2oY7Myow5Xsx5z5uNVpnNlJwlmY8IXBvyucvyQ4HSdhJsrbs4W1BfFc0mHghxgp0FbBCnf/Q==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-wasm@6.4.1': + resolution: {integrity: sha512-3VV9ZGzh0ZY3SmkkSw+0TRXxIpiO0nB8lFwlRgcwaCihwrvLfRnH9GI8WE12mKsHVjWTEVR3ogzILJxccAUjDA==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto-wasm@7.3.2': + resolution: {integrity: sha512-15wd0EMv9IXs5Abp1ZKpKKAVyZPhATIAHfKsyoWCEFDLSOA0/K0QGOxzrAlsrdUkiKZOq7uzSIgIDgW8okx2Mw==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-crypto@4.6.1': + resolution: {integrity: sha512-2wEftBDxDG+TN8Ah6ogtvzjdZdcF0mAjU4UNNOfpmkBCxQYZOrAHB8HXhzo3noSsKkLX7PDX57NxvJ9OhoTAjw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-crypto@5.1.1': + resolution: {integrity: sha512-JCcAVfH8DhYuEyd4oX1ouByxhou0TvpErKn8kHjtzt7+tRoFi0nzWlmK4z49vszsV3JJgXxV81i10C0BYlwTcQ==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-crypto@6.4.1': + resolution: {integrity: sha512-FH+dcDPdhSLJvwL0pMLtn/LIPd62QDPODZRCmDyw+pFjLOMaRBc7raomWUOqyRWJTnqVf/iscc2rLVLNMyt7ag==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-crypto@7.3.2': + resolution: {integrity: sha512-+neIDLSJ6jjVXsjyZ5oLSv16oIpwp+PxFqTUaZdZDoA2EyFRQB8pP7+qLsMNk+WJuhuJ4qXil/7XiOnZYZ+wxw==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + '@polkadot/x-randomvalues': '*' + + '@polkadot/wasm-util@6.4.1': + resolution: {integrity: sha512-Uwo+WpEsDmFExWC5kTNvsVhvqXMZEKf4gUHXFn4c6Xz4lmieRT5g+1bO1KJ21pl4msuIgdV3Bksfs/oiqMFqlw==} + engines: {node: '>=14.0.0'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/wasm-util@7.3.2': + resolution: {integrity: sha512-bmD+Dxo1lTZyZNxbyPE380wd82QsX+43mgCm40boyKrRppXEyQmWT98v/Poc7chLuskYb6X8IQ6lvvK2bGR4Tg==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': '*' + + '@polkadot/x-bigint@10.4.2': + resolution: {integrity: sha512-awRiox+/XSReLzimAU94fPldowiwnnMUkQJe8AebYhNocAj6SJU00GNoj6j6tAho6yleOwrTJXZaWFBaQVJQNg==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-bigint@12.6.2': + resolution: {integrity: sha512-HSIk60uFPX4GOFZSnIF7VYJz7WZA7tpFJsne7SzxOooRwMTWEtw3fUpFy5cYYOeLh17/kHH1Y7SVcuxzVLc74Q==} + engines: {node: '>=18'} + + '@polkadot/x-bigint@13.1.1': + resolution: {integrity: sha512-Cq4Y6fd9UWtRBZz8RX2tWEBL1IFwUtY6cL8p6HC9yhZtUR6OPjKZe6RIZQa9gSOoIuqZWd6PmtvSNGVH32yfkQ==} + engines: {node: '>=18'} + + '@polkadot/x-bigint@8.7.1': + resolution: {integrity: sha512-ClkhgdB/KqcAKk3zA6Qw8wBL6Wz67pYTPkrAtImpvoPJmR+l4RARauv+MH34JXMUNlNb3aUwqN6lq2Z1zN+mJg==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-fetch@10.4.2': + resolution: {integrity: sha512-Ubb64yaM4qwhogNP+4mZ3ibRghEg5UuCYRMNaCFoPgNAY8tQXuDKrHzeks3+frlmeH9YRd89o8wXLtWouwZIcw==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-fetch@12.6.2': + resolution: {integrity: sha512-8wM/Z9JJPWN1pzSpU7XxTI1ldj/AfC8hKioBlUahZ8gUiJaOF7K9XEFCrCDLis/A1BoOu7Ne6WMx/vsJJIbDWw==} + engines: {node: '>=18'} + + '@polkadot/x-fetch@13.1.1': + resolution: {integrity: sha512-qA6mIUUebJbS+oWzq/EagZflmaoa9b25WvsxSFn7mCvzKngXzr+GYCY4XiDwKY/S+/pr/kvSCKZ1ia8BDqPBYQ==} + engines: {node: '>=18'} + + '@polkadot/x-fetch@8.7.1': + resolution: {integrity: sha512-ygNparcalYFGbspXtdtZOHvNXZBkNgmNO+um9C0JYq74K5OY9/be93uyfJKJ8JcRJtOqBfVDsJpbiRkuJ1PRfg==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-global@10.4.2': + resolution: {integrity: sha512-g6GXHD/ykZvHap3M6wh19dO70Zm43l4jEhlxf5LtTo5/0/UporFCXr2YJYZqfbn9JbQwl1AU+NroYio+vtJdiA==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-global@12.6.2': + resolution: {integrity: sha512-a8d6m+PW98jmsYDtAWp88qS4dl8DyqUBsd0S+WgyfSMtpEXu6v9nXDgPZgwF5xdDvXhm+P0ZfVkVTnIGrScb5g==} + engines: {node: '>=18'} + + '@polkadot/x-global@13.1.1': + resolution: {integrity: sha512-DViIMmmEs29Qlsp058VTg2Mn7e3/CpGazNnKJrsBa0o1Ptxl13/4Z0fjqCpNi2GB+kaOsnREzxUORrHcU+PqcQ==} + engines: {node: '>=18'} + + '@polkadot/x-global@6.11.1': + resolution: {integrity: sha512-lsBK/e4KbjfieyRmnPs7bTiGbP/6EoCZz7rqD/voNS5qsJAaXgB9LR+ilubun9gK/TDpebyxgO+J19OBiQPIRw==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-global@8.7.1': + resolution: {integrity: sha512-WOgUor16IihgNVdiTVGAWksYLUAlqjmODmIK1cuWrLOZtV1VBomWcb3obkO9sh5P6iWziAvCB/i+L0vnTN9ZCA==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-randomvalues@10.4.2': + resolution: {integrity: sha512-mf1Wbpe7pRZHO0V3V89isPLqZOy5XGX2bCqsfUWHgb1NvV1MMx5TjVjdaYyNlGTiOkAmJKlOHshcfPU2sYWpNg==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-randomvalues@12.6.2': + resolution: {integrity: sha512-Vr8uG7rH2IcNJwtyf5ebdODMcr0XjoCpUbI91Zv6AlKVYOGKZlKLYJHIwpTaKKB+7KPWyQrk4Mlym/rS7v9feg==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': 12.6.2 + '@polkadot/wasm-util': '*' + + '@polkadot/x-randomvalues@13.1.1': + resolution: {integrity: sha512-cXj4omwbgzQQSiBtV1ZBw+XhJUU3iz/DS6ghUnGllSZEK+fGqiyaNgeFQzDY0tKjm6kYaDpvtOHR3mHsbzDuTg==} + engines: {node: '>=18'} + peerDependencies: + '@polkadot/util': 13.1.1 + '@polkadot/wasm-util': '*' + + '@polkadot/x-randomvalues@6.11.1': + resolution: {integrity: sha512-2MfUfGZSOkuPt7GF5OJkPDbl4yORI64SUuKM25EGrJ22o1UyoBnPOClm9eYujLMD6BfDZRM/7bQqqoLW+NuHVw==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-randomvalues@8.7.1': + resolution: {integrity: sha512-njt17MlfN6yNyNEti7fL12lr5qM6A1aSGkWKVuqzc7XwSBesifJuW4km5u6r2gwhXjH2eHDv9SoQ7WXu8vrrkg==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-rxjs@6.11.1': + resolution: {integrity: sha512-zIciEmij7SUuXXg9g/683Irx6GogxivrQS2pgBir2DI/YZq+um52+Dqg1mqsEZt74N4KMTMnzAZAP6LJOBOMww==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-textdecoder@10.4.2': + resolution: {integrity: sha512-d3ADduOKUTU+cliz839+KCFmi23pxTlabH7qh7Vs1GZQvXOELWdqFOqakdiAjtMn68n1KVF4O14Y+OUm7gp/zA==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-textdecoder@12.6.2': + resolution: {integrity: sha512-M1Bir7tYvNappfpFWXOJcnxUhBUFWkUFIdJSyH0zs5LmFtFdbKAeiDXxSp2Swp5ddOZdZgPac294/o2TnQKN1w==} + engines: {node: '>=18'} + + '@polkadot/x-textdecoder@13.1.1': + resolution: {integrity: sha512-LpZ9KYc6HdBH+i86bCmun4g4GWMiWN/1Pzs0hNdanlQMfqp3UGzl1Dqp0nozMvjWAlvyG7ip235VgNMd8HEbqg==} + engines: {node: '>=18'} + + '@polkadot/x-textdecoder@6.11.1': + resolution: {integrity: sha512-DI1Ym2lyDSS/UhnTT2e9WutukevFZ0WGpzj4eotuG2BTHN3e21uYtYTt24SlyRNMrWJf5+TkZItmZeqs1nwAfQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-textdecoder@8.7.1': + resolution: {integrity: sha512-ia0Ie2zi4VdQdNVD2GE2FZzBMfX//hEL4w546RMJfZM2LqDS674LofHmcyrsv5zscLnnRyCxZC1+J2dt+6MDIA==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-textencoder@10.4.2': + resolution: {integrity: sha512-mxcQuA1exnyv74Kasl5vxBq01QwckG088lYjc3KwmND6+pPrW2OWagbxFX5VFoDLDAE+UJtnUHsjdWyOTDhpQA==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-textencoder@12.6.2': + resolution: {integrity: sha512-4N+3UVCpI489tUJ6cv3uf0PjOHvgGp9Dl+SZRLgFGt9mvxnvpW/7+XBADRMtlG4xi5gaRK7bgl5bmY6OMDsNdw==} + engines: {node: '>=18'} + + '@polkadot/x-textencoder@13.1.1': + resolution: {integrity: sha512-w1mT15B9ptN5CJNgN/A0CmBqD5y9OePjBdU6gmAd8KRhwXCF0MTBKcEZk1dHhXiXtX+28ULJWLrfefC5gxy69Q==} + engines: {node: '>=18'} + + '@polkadot/x-textencoder@6.11.1': + resolution: {integrity: sha512-8ipjWdEuqFo+R4Nxsc3/WW9CSEiprX4XU91a37ZyRVC4e9R1bmvClrpXmRQLVcAQyhRvG8DKOOtWbz8xM+oXKg==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-textencoder@8.7.1': + resolution: {integrity: sha512-XDO0A27Xy+eJCKSxENroB8Dcnl+UclGG4ZBei+P/BqZ9rsjskUyd2Vsl6peMXAcsxwOE7g0uTvujoGM8jpKOXw==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-ws@10.4.2': + resolution: {integrity: sha512-3gHSTXAWQu1EMcMVTF5QDKHhEHzKxhAArweEyDXE7VsgKUP/ixxw4hVZBrkX122iI5l5mjSiooRSnp/Zl3xqDQ==} + engines: {node: '>=14.0.0'} + + '@polkadot/x-ws@12.6.2': + resolution: {integrity: sha512-cGZWo7K5eRRQCRl2LrcyCYsrc3lRbTlixZh3AzgU8uX4wASVGRlNWi/Hf4TtHNe1ExCDmxabJzdIsABIfrr7xw==} + engines: {node: '>=18'} + + '@polkadot/x-ws@13.1.1': + resolution: {integrity: sha512-E/xFmJTiFzu+IK5M3/8W/9fnvNJFelcnunPv/IgO6UST94SDaTsN/Gbeb6SqPb6CsrTHRl3WD+AZ3ErGGwQfEA==} + engines: {node: '>=18'} + + '@polkadot/x-ws@8.7.1': + resolution: {integrity: sha512-Mt0tcNzGXyKnN3DQ06alkv+JLtTfXWu6zSypFrrKHSQe3u79xMQ1nSicmpT3gWLhIa8YF+8CYJXMrqaXgCnDhw==} + engines: {node: '>=14.0.0'} + + '@polymeshassociation/polymesh-types@5.7.0': + resolution: {integrity: sha512-6bw+Q6CpjAABeQKLZxE5TMwUwllq9GIWtHr+SBTn/02cLQYYrgPNX3JtQtK/VAAwhQ+AbAUMRlxlzGP16VaWog==} + + '@protobufjs/aspromise@1.1.2': + resolution: {integrity: sha512-j+gKExEuLmKwvz3OgROXtrJ2UG2x8Ch2YZUxahh+s1F2HZ+wAceUNLkvy6zKCPVRkU++ZWQrdxsUeQXmcg4uoQ==} + + '@protobufjs/base64@1.1.2': + resolution: {integrity: sha512-AZkcAA5vnN/v4PDqKyMR5lx7hZttPDgClv83E//FMNhR2TMcLUhfRUBHCmSl0oi9zMgDDqRUJkSxO3wm85+XLg==} + + '@protobufjs/codegen@2.0.4': + resolution: {integrity: sha512-YyFaikqM5sH0ziFZCN3xDC7zeGaB/d0IUb9CATugHWbd1FRFwWwt4ld4OYMPWu5a3Xe01mGAULCdqhMlPl29Jg==} + + '@protobufjs/eventemitter@1.1.0': + resolution: {integrity: sha512-j9ednRT81vYJ9OfVuXG6ERSTdEL1xVsNgqpkxMsbIabzSo3goCjDIveeGv5d03om39ML71RdmrGNjG5SReBP/Q==} + + '@protobufjs/fetch@1.1.0': + resolution: {integrity: sha512-lljVXpqXebpsijW71PZaCYeIcE5on1w5DlQy5WH6GLbFryLUrBD4932W/E2BSpfRJWseIL4v/KPgBFxDOIdKpQ==} + + '@protobufjs/float@1.0.2': + resolution: {integrity: sha512-Ddb+kVXlXst9d+R9PfTIxh1EdNkgoRe5tOX6t01f1lYWOvJnSPDBlG241QLzcyPdoNTsblLUdujGSE4RzrTZGQ==} + + '@protobufjs/inquire@1.1.0': + resolution: {integrity: sha512-kdSefcPdruJiFMVSbn801t4vFK7KB/5gd2fYvrxhuJYg8ILrmn9SKSX2tZdV6V+ksulWqS7aXjBcRXl3wHoD9Q==} + + '@protobufjs/path@1.1.2': + resolution: {integrity: sha512-6JOcJ5Tm08dOHAbdR3GrvP+yUUfkjG5ePsHYczMFLq3ZmMkAD98cDgcT2iA1lJ9NVwFd4tH/iSSoe44YWkltEA==} + + '@protobufjs/pool@1.1.0': + resolution: {integrity: sha512-0kELaGSIDBKvcgS4zkjz1PeddatrjYcmMWOlAuAPwAeccUrPHdUqo/J6LiymHHEiJT5NrF1UVwxY14f+fy4WQw==} + + '@protobufjs/utf8@1.1.0': + resolution: {integrity: sha512-Vvn3zZrhQZkkBE8LSuW3em98c0FwgO4nxzv6OdSxPKJIEKY2bGbHn+mhGIPerzI4twdxaP8/0+06HBpwf345Lw==} + + '@rollup/rollup-android-arm-eabi@4.13.0': + resolution: {integrity: sha512-5ZYPOuaAqEH/W3gYsRkxQATBW3Ii1MfaT4EQstTnLKViLi2gLSQmlmtTpGucNP3sXEpOiI5tdGhjdE111ekyEg==} + cpu: [arm] + os: [android] + + '@rollup/rollup-android-arm64@4.13.0': + resolution: {integrity: sha512-BSbaCmn8ZadK3UAQdlauSvtaJjhlDEjS5hEVVIN3A4bbl3X+otyf/kOJV08bYiRxfejP3DXFzO2jz3G20107+Q==} + cpu: [arm64] + os: [android] + + '@rollup/rollup-darwin-arm64@4.13.0': + resolution: {integrity: sha512-Ovf2evVaP6sW5Ut0GHyUSOqA6tVKfrTHddtmxGQc1CTQa1Cw3/KMCDEEICZBbyppcwnhMwcDce9ZRxdWRpVd6g==} + cpu: [arm64] + os: [darwin] + + '@rollup/rollup-darwin-x64@4.13.0': + resolution: {integrity: sha512-U+Jcxm89UTK592vZ2J9st9ajRv/hrwHdnvyuJpa5A2ngGSVHypigidkQJP+YiGL6JODiUeMzkqQzbCG3At81Gg==} + cpu: [x64] + os: [darwin] + + '@rollup/rollup-linux-arm-gnueabihf@4.13.0': + resolution: {integrity: sha512-8wZidaUJUTIR5T4vRS22VkSMOVooG0F4N+JSwQXWSRiC6yfEsFMLTYRFHvby5mFFuExHa/yAp9juSphQQJAijQ==} + cpu: [arm] + os: [linux] + + '@rollup/rollup-linux-arm64-gnu@4.13.0': + resolution: {integrity: sha512-Iu0Kno1vrD7zHQDxOmvweqLkAzjxEVqNhUIXBsZ8hu8Oak7/5VTPrxOEZXYC1nmrBVJp0ZcL2E7lSuuOVaE3+w==} + cpu: [arm64] + os: [linux] + + '@rollup/rollup-linux-arm64-musl@4.13.0': + resolution: {integrity: sha512-C31QrW47llgVyrRjIwiOwsHFcaIwmkKi3PCroQY5aVq4H0A5v/vVVAtFsI1nfBngtoRpeREvZOkIhmRwUKkAdw==} + cpu: [arm64] + os: [linux] + + '@rollup/rollup-linux-riscv64-gnu@4.13.0': + resolution: {integrity: sha512-Oq90dtMHvthFOPMl7pt7KmxzX7E71AfyIhh+cPhLY9oko97Zf2C9tt/XJD4RgxhaGeAraAXDtqxvKE1y/j35lA==} + cpu: [riscv64] + os: [linux] + + '@rollup/rollup-linux-x64-gnu@4.13.0': + resolution: {integrity: sha512-yUD/8wMffnTKuiIsl6xU+4IA8UNhQ/f1sAnQebmE/lyQ8abjsVyDkyRkWop0kdMhKMprpNIhPmYlCxgHrPoXoA==} + cpu: [x64] + os: [linux] + + '@rollup/rollup-linux-x64-musl@4.13.0': + resolution: {integrity: sha512-9RyNqoFNdF0vu/qqX63fKotBh43fJQeYC98hCaf89DYQpv+xu0D8QFSOS0biA7cGuqJFOc1bJ+m2rhhsKcw1hw==} + cpu: [x64] + os: [linux] + + '@rollup/rollup-win32-arm64-msvc@4.13.0': + resolution: {integrity: sha512-46ue8ymtm/5PUU6pCvjlic0z82qWkxv54GTJZgHrQUuZnVH+tvvSP0LsozIDsCBFO4VjJ13N68wqrKSeScUKdA==} + cpu: [arm64] + os: [win32] + + '@rollup/rollup-win32-ia32-msvc@4.13.0': + resolution: {integrity: sha512-P5/MqLdLSlqxbeuJ3YDeX37srC8mCflSyTrUsgbU1c/U9j6l2g2GiIdYaGD9QjdMQPMSgYm7hgg0551wHyIluw==} + cpu: [ia32] + os: [win32] + + '@rollup/rollup-win32-x64-msvc@4.13.0': + resolution: {integrity: sha512-UKXUQNbO3DOhzLRwHSpa0HnhhCgNODvfoPWv2FCXme8N/ANFfhIPMGuOT+QuKd16+B5yxZ0HdpNlqPvTMS1qfw==} + cpu: [x64] + os: [win32] + + '@scure/base@1.0.0': + resolution: {integrity: sha512-gIVaYhUsy+9s58m/ETjSJVKHhKTBMmcRb9cEV5/5dwvfDlfORjKrFsDeDHWRrm6RjcPvCLZFwGJjAjLj1gg4HA==} + + '@scure/base@1.1.1': + resolution: {integrity: sha512-ZxOhsSyxYwLJj3pLZCefNitxsj093tb2vq90mp2txoYeBqbcjDjqFhyM8eUjq/uFm6zJ+mUuqxlS2FkuSY1MTA==} + + '@scure/base@1.1.7': + resolution: {integrity: sha512-PPNYBslrLNNUQ/Yad37MHYsNQtK67EhWb6WtSvNLLPo7SdVZgkUjD6Dg+5On7zNwmskf8OX7I7Nx5oN+MIWE0g==} + + '@scure/base@1.1.9': + resolution: {integrity: sha512-8YKhl8GHiNI/pU2VMaofa2Tor7PJRAjwQLBBuilkJ9L5+13yVbC7JO/wS7piioAvPSwR3JKM1IJ/u4xQzbcXKg==} + + '@scure/bip32@1.4.0': + resolution: {integrity: sha512-sVUpc0Vq3tXCkDGYVWGIZTRfnvu8LoTDaev7vbwh0omSvVORONr960MQWdKqJDCReIEmTj3PAr73O3aoxz7OPg==} + + '@scure/bip39@1.3.0': + resolution: {integrity: sha512-disdg7gHuTDZtY+ZdkmLpPCk7fxZSu3gBiEGuoC1XYxv9cGx3Z6cpTggCgW6odSOOIXCiDjuGejW+aJKCY/pIQ==} + + '@scure/bip39@1.4.0': + resolution: {integrity: sha512-BEEm6p8IueV/ZTfQLp/0vhw4NPnT9oWf5+28nvmeUICjP99f4vr2d+qc7AVGDDtwRep6ifR43Yed9ERVmiITzw==} + + '@sindresorhus/is@4.6.0': + resolution: {integrity: sha512-t09vSN3MdfsyCHoFcTRCH/iUtG7OJ0CsjzB8cjAmKc/va/kIgeDI/TxsigdncE/4be734m0cvIYwNaV4i2XqAw==} + engines: {node: '>=10'} + + '@snowfork/snowbridge-types@0.2.7': + resolution: {integrity: sha512-Dz3OM8xvYhzL7XU/QOjgyPWZI4IgPKGByaJo6eZe3UMS6F7TLaFaZW1oYhQVTTahGWWAE6ZwwCuMkVh2FC/9bw==} + + '@sora-substrate/type-definitions@1.27.7': + resolution: {integrity: sha512-bwxcfs76goH4zFgflVqbRuMxBokxAEVWFs8GGwGUxRG94rb+yyQWKTwjW2bDQFuusQnzEOq+IqEJJz/7r4Swyg==} + + '@sqltools/formatter@1.2.5': + resolution: {integrity: sha512-Uy0+khmZqUrUGm5dmMqVlnvufZRSK0FbYzVgp0UMstm+F5+W2/jnEEQyc9vo1ZR/E5ZI/B1WjjoTqBqwJL6Krw==} + + '@subsocial/definitions@0.8.14': + resolution: {integrity: sha512-K/8ZYGMyy15QI16bxgi0GfxP3JsnKeNAyPlwom1kDE89RGGs5O++PuWbXxVMMSVYfh9zn9qJYKiThBYIj/Vohg==} + + '@substrate/connect-extension-protocol@1.0.1': + resolution: {integrity: sha512-161JhCC1csjH3GE5mPLEd7HbWtwNSPJBg3p1Ksz9SFlTzj/bgEwudiRN2y5i0MoLGCIJRYKyKGMxVnd29PzNjg==} + + '@substrate/connect-extension-protocol@2.0.0': + resolution: {integrity: sha512-nKu8pDrE3LNCEgJjZe1iGXzaD6OSIDD4Xzz/yo4KO9mQ6LBvf49BVrt4qxBFGL6++NneLiWUZGoh+VSd4PyVIg==} + + '@substrate/connect-known-chains@1.1.8': + resolution: {integrity: sha512-W0Cpnk//LoMTu5BGDCRRg5NHFR2aZ9OJtLGSgRyq1RP39dQGpoVZIgNC6z+SWRzlmOz3gIgkUCwGvOKVt2BabA==} + + '@substrate/connect@0.7.0-alpha.0': + resolution: {integrity: sha512-fvO7w++M8R95R/pGJFW9+cWOt8OYnnTfgswxtlPqSgzqX4tta8xcNQ51crC72FcL5agwSGkA1gc2/+eyTj7O8A==} + deprecated: versions below 1.x are no longer maintained + + '@substrate/connect@0.7.19': + resolution: {integrity: sha512-+DDRadc466gCmDU71sHrYOt1HcI2Cbhm7zdCFjZfFVHXhC/E8tOdrVSglAH2HDEHR0x2SiHRxtxOGC7ak2Zjog==} + deprecated: versions below 1.x are no longer maintained + + '@substrate/connect@0.8.10': + resolution: {integrity: sha512-DIyQ13DDlXqVFnLV+S6/JDgiGowVRRrh18kahieJxhgvzcWicw5eLc6jpfQ0moVVLBYkO7rctB5Wreldwpva8w==} + deprecated: versions below 1.x are no longer maintained + + '@substrate/connect@0.8.11': + resolution: {integrity: sha512-ofLs1PAO9AtDdPbdyTYj217Pe+lBfTLltdHDs3ds8no0BseoLeAGxpz1mHfi7zB4IxI3YyAiLjH6U8cw4pj4Nw==} + deprecated: versions below 1.x are no longer maintained + + '@substrate/connect@0.8.8': + resolution: {integrity: sha512-zwaxuNEVI9bGt0rT8PEJiXOyebLIo6QN1SyiAHRPBOl6g3Sy0KKdSN8Jmyn++oXhVRD8aIe75/V8ZkS81T+BPQ==} + deprecated: versions below 1.x are no longer maintained + + '@substrate/light-client-extension-helpers@0.0.4': + resolution: {integrity: sha512-vfKcigzL0SpiK+u9sX6dq2lQSDtuFLOxIJx2CKPouPEHIs8C+fpsufn52r19GQn+qDhU8POMPHOVoqLktj8UEA==} + peerDependencies: + smoldot: 2.x + + '@substrate/light-client-extension-helpers@0.0.6': + resolution: {integrity: sha512-girltEuxQ1BvkJWmc8JJlk4ZxnlGXc/wkLcNguhY+UoDEMBK0LsdtfzQKIfrIehi4QdeSBlFEFBoI4RqPmsZzA==} + peerDependencies: + smoldot: 2.x + + '@substrate/light-client-extension-helpers@1.0.0': + resolution: {integrity: sha512-TdKlni1mBBZptOaeVrKnusMg/UBpWUORNDv5fdCaJklP4RJiFOzBCrzC+CyVI5kQzsXBisZ+2pXm+rIjS38kHg==} + peerDependencies: + smoldot: 2.x + + '@substrate/smoldot-light@0.6.8': + resolution: {integrity: sha512-9lVwbG6wrtss0sd6013BJGe4WN4taujsGG49pwyt1Lj36USeL2Sb164TTUxmZF/g2NQEqDPwPROBdekQ2gFmgg==} + + '@substrate/smoldot-light@0.7.9': + resolution: {integrity: sha512-HP8iP7sFYlpSgjjbo0lqHyU+gu9lL2hbDNce6dWk5/10mFFF9jKIFGfui4zCecUY808o/Go9pan/31kMJoLbug==} + + '@substrate/ss58-registry@1.44.0': + resolution: {integrity: sha512-7lQ/7mMCzVNSEfDS4BCqnRnKCFKpcOaPrxMeGTXHX1YQzM/m2BBHjbK2C3dJvjv7GYxMiaTq/HdWQj1xS6ss+A==} + + '@substrate/ss58-registry@1.50.0': + resolution: {integrity: sha512-mkmlMlcC+MSd9rA+PN8ljGAm5fVZskvVwkXIsbx4NFwaT8kt38r7e9cyDWscG3z2Zn40POviZvEMrJSk+r2SgQ==} + + '@substrate/txwrapper-core@7.5.1': + resolution: {integrity: sha512-OAz67qDZpBzQLnHeN95hnQWeYX9HZfxow1LkBAW3TmhXUjycU3gu0D0rvw0gYMQyIt7uYszV/m+5xUbUW+bpZg==} + + '@substrate/txwrapper-substrate@7.5.1': + resolution: {integrity: sha512-7Zwlx7UwAGTObvYTpykZu7Z26YxnjO460AftrVOZlM8xQ2mpSdwbdmQAPjTwi+WsWiFqWlY4irD9dWTRN1+WUg==} + + '@szmarczak/http-timer@4.0.6': + resolution: {integrity: sha512-4BAffykYOgO+5nzBWYwE3W90sBgLJoUPRWWcL8wlyiM8IB8ipJz3UMJ9KXQd1RKQXpKp8Tutn80HZtWsu2u76w==} + engines: {node: '>=10'} + + '@szmarczak/http-timer@5.0.1': + resolution: {integrity: sha512-+PmQX0PiAYPMeVYe237LJAYvOMYW1j2rH5YROyS3b4CTVJum34HfRvKvAzozHAQG0TnHNdUfY9nCeUyRAs//cw==} + engines: {node: '>=14.16'} + + '@tootallnate/once@1.1.2': + resolution: {integrity: sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==} + engines: {node: '>= 6'} + + '@tsconfig/node10@1.0.9': + resolution: {integrity: sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==} + + '@tsconfig/node12@1.0.11': + resolution: {integrity: sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==} + + '@tsconfig/node14@1.0.3': + resolution: {integrity: sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==} + + '@tsconfig/node16@1.0.4': + resolution: {integrity: sha512-vxhUy4J8lyeyinH7Azl1pdd43GJhZH/tP2weN8TntQblOY+A0XbT8DJk1/oCPuOOyg/Ja757rG0CgHcWC8OfMA==} + + '@types/abstract-leveldown@7.2.5': + resolution: {integrity: sha512-/2B0nQF4UdupuxeKTJA2+Rj1D+uDemo6P4kMwKCpbfpnzeVaWSELTsAw4Lxn3VJD6APtRrZOCuYo+4nHUQfTfg==} + + '@types/aws-lambda@8.10.136': + resolution: {integrity: sha512-cmmgqxdVGhxYK9lZMYYXYRJk6twBo53ivtXjIUEFZxfxe4TkZTZBK3RRWrY2HjJcUIix0mdifn15yjOAat5lTA==} + + '@types/bn.js@4.11.6': + resolution: {integrity: sha512-pqr857jrp2kPuO9uRjZ3PwnJTjoQy+fcdxvBTvHm6dkmEL9q+hDD/2j/0ELOBPtPnS8LjCX0gI9nbl8lVkadpg==} + + '@types/bn.js@5.1.5': + resolution: {integrity: sha512-V46N0zwKRF5Q00AZ6hWtN0T8gGmDUaUzLWQvHFo5yThtVwK/VCenFY3wXVbOvNfajEpsTfQM4IN9k/d6gUVX3A==} + + '@types/cacheable-request@6.0.3': + resolution: {integrity: sha512-IQ3EbTzGxIigb1I3qPZc1rWJnH0BmSKv5QYTalEwweFvyBDLSAe24zP0le/hyi7ecGfZVlIVAg4BZqb8WBwKqw==} + + '@types/debug@4.1.12': + resolution: {integrity: sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==} + + '@types/estree@1.0.5': + resolution: {integrity: sha512-/kYRxGDLWzHOB7q+wtSUQlFrtcdUccpfy+X+9iMBpHK8QLLhx2wIPYuS5DYtR9Wa/YlZAbIovy7qVdB1Aq6Lyw==} + + '@types/http-cache-semantics@4.0.4': + resolution: {integrity: sha512-1m0bIFVc7eJWyve9S0RnuRgcQqF/Xd5QsUZAZeQFr1Q3/p9JWoQQEqmVy+DPTNpGXwhgIetAoYF8JSc33q29QA==} + + '@types/json-bigint@1.0.4': + resolution: {integrity: sha512-ydHooXLbOmxBbubnA7Eh+RpBzuaIiQjh8WGJYQB50JFGFrdxW7JzVlyEV7fAXw0T2sqJ1ysTneJbiyNLqZRAag==} + + '@types/json-schema@7.0.15': + resolution: {integrity: sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==} + + '@types/keyv@3.1.4': + resolution: {integrity: sha512-BQ5aZNSCpj7D6K2ksrRCTmKRLEpnPvWDiLPfoGyhZ++8YtiK9d/3DBKPJgry359X/P1PfruyYwvnvwFjuEiEIg==} + + '@types/level-errors@3.0.2': + resolution: {integrity: sha512-gyZHbcQ2X5hNXf/9KS2qGEmgDe9EN2WDM3rJ5Ele467C0nA1sLhtmv1bZiPMDYfAYCfPWft0uQIaTvXbASSTRA==} + + '@types/levelup@4.3.3': + resolution: {integrity: sha512-K+OTIjJcZHVlZQN1HmU64VtrC0jC3dXWQozuEIR9zVvltIk90zaGPM2AgT+fIkChpzHhFE3YnvFLCbLtzAmexA==} + + '@types/long@4.0.2': + resolution: {integrity: sha512-MqTGEo5bj5t157U6fA/BiDynNkn0YknVdh48CMPkTSpFTVmvao5UQmm7uEF6xBEo7qIMAlY/JSleYaE6VOdpaA==} + + '@types/ms@0.7.34': + resolution: {integrity: sha512-nG96G3Wp6acyAgJqGasjODb+acrI7KltPiRxzHPXnP3NgI28bpQDRv53olbqGXbfcgF5aiiHmO3xpwEpS5Ld9g==} + + '@types/node-fetch@2.6.11': + resolution: {integrity: sha512-24xFj9R5+rfQJLRyM56qh+wnVSYhyXC2tkoBndtY0U+vubqNsYXGjufB2nn8Q6gt0LrARwL6UBtMCSVCwl4B1g==} + + '@types/node@12.20.55': + resolution: {integrity: sha512-J8xLz7q2OFulZ2cyGTLE1TbbZcjpno7FaN6zdJNrgAdrJ+DZzh/uFR6YrTb4C+nXakvud8Q4+rbhoIWlYQbUFQ==} + + '@types/node@18.15.13': + resolution: {integrity: sha512-N+0kuo9KgrUQ1Sn/ifDXsvg0TTleP7rIy4zOBGECxAljqvqfqpTfzx0Q1NUedOixRMBfe2Whhb056a42cWs26Q==} + + '@types/node@20.14.10': + resolution: {integrity: sha512-MdiXf+nDuMvY0gJKxyfZ7/6UFsETO7mGKF54MVD/ekJS6HdFtpZFBgrh6Pseu64XTb2MLyFPlbW6hj8HYRQNOQ==} + + '@types/node@22.7.0': + resolution: {integrity: sha512-MOdOibwBs6KW1vfqz2uKMlxq5xAfAZ98SZjO8e3XnAbFnTJtAspqhWk7hrdSAs9/Y14ZWMiy7/MxMUzAOadYEw==} + + '@types/pbkdf2@3.1.2': + resolution: {integrity: sha512-uRwJqmiXmh9++aSu1VNEn3iIxWOhd8AHXNSdlaLfdAAdSTY9jYVeGWnzejM3dvrkbqE3/hyQkQQ29IFATEGlew==} + + '@types/responselike@1.0.3': + resolution: {integrity: sha512-H/+L+UkTV33uf49PH5pCAUBVPNj2nDBXTN+qS1dOwyyg24l3CcicicCA7ca+HMvJBZcFgl5r8e+RR6elsb4Lyw==} + + '@types/secp256k1@4.0.6': + resolution: {integrity: sha512-hHxJU6PAEUn0TP4S/ZOzuTUvJWuZ6eIKeNKb5RBpODvSl6hp1Wrw4s7ATY50rklRCScUDpHzVA/DQdSjJ3UoYQ==} + + '@types/semver@7.5.8': + resolution: {integrity: sha512-I8EUhyrgfLrcTkzV3TSsGyl1tSuPrEDzr0yd5m90UgNxQkyDXULk3b6MlQqTCpZpNtWe1K0hzclnZkTcLBe2UQ==} + + '@types/stylis@4.2.5': + resolution: {integrity: sha512-1Xve+NMN7FWjY14vLoY5tL3BVEQ/n42YLwaqJIPYhotZ9uBHt87VceMwWQpzmdEt2TNXIorIFG+YeCUUW7RInw==} + + '@types/uuid@9.0.8': + resolution: {integrity: sha512-jg+97EGIcY9AGHJJRaaPVgetKDsrTgbRjQ5Msgjh/DQKEFl0DtyRr/VCOyD1T2R1MNeWPK/u7JoGhlDZnKBAfA==} + + '@types/websocket@1.0.10': + resolution: {integrity: sha512-svjGZvPB7EzuYS94cI7a+qhwgGU1y89wUgjT6E2wVUfmAGIvRfT7obBvRtnhXCSsoMdlG4gBFGE7MfkIXZLoww==} + + '@types/ws@8.5.3': + resolution: {integrity: sha512-6YOoWjruKj1uLf3INHH7D3qTXwFfEsg1kf3c0uDdSBJwfa/llkwIjrAGV7j7mVgGNbzTQ3HiHKKDXl6bJPD97w==} + + '@types/yargs-parser@21.0.3': + resolution: {integrity: sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==} + + '@types/yargs@17.0.33': + resolution: {integrity: sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==} + + '@typescript-eslint/eslint-plugin@7.5.0': + resolution: {integrity: sha512-HpqNTH8Du34nLxbKgVMGljZMG0rJd2O9ecvr2QLYp+7512ty1j42KnsFwspPXg1Vh8an9YImf6CokUBltisZFQ==} + engines: {node: ^18.18.0 || >=20.0.0} + peerDependencies: + '@typescript-eslint/parser': ^7.0.0 + eslint: ^8.56.0 + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + + '@typescript-eslint/parser@7.5.0': + resolution: {integrity: sha512-cj+XGhNujfD2/wzR1tabNsidnYRaFfEkcULdcIyVBYcXjBvBKOes+mpMBP7hMpOyk+gBcfXsrg4NBGAStQyxjQ==} + engines: {node: ^18.18.0 || >=20.0.0} + peerDependencies: + eslint: ^8.56.0 + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + + '@typescript-eslint/scope-manager@7.5.0': + resolution: {integrity: sha512-Z1r7uJY0MDeUlql9XJ6kRVgk/sP11sr3HKXn268HZyqL7i4cEfrdFuSSY/0tUqT37l5zT0tJOsuDP16kio85iA==} + engines: {node: ^18.18.0 || >=20.0.0} + + '@typescript-eslint/type-utils@7.5.0': + resolution: {integrity: sha512-A021Rj33+G8mx2Dqh0nMO9GyjjIBK3MqgVgZ2qlKf6CJy51wY/lkkFqq3TqqnH34XyAHUkq27IjlUkWlQRpLHw==} + engines: {node: ^18.18.0 || >=20.0.0} + peerDependencies: + eslint: ^8.56.0 + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + + '@typescript-eslint/types@7.5.0': + resolution: {integrity: sha512-tv5B4IHeAdhR7uS4+bf8Ov3k793VEVHd45viRRkehIUZxm0WF82VPiLgHzA/Xl4TGPg1ZD49vfxBKFPecD5/mg==} + engines: {node: ^18.18.0 || >=20.0.0} + + '@typescript-eslint/typescript-estree@7.5.0': + resolution: {integrity: sha512-YklQQfe0Rv2PZEueLTUffiQGKQneiIEKKnfIqPIOxgM9lKSZFCjT5Ad4VqRKj/U4+kQE3fa8YQpskViL7WjdPQ==} + engines: {node: ^18.18.0 || >=20.0.0} + peerDependencies: + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + + '@typescript-eslint/utils@7.5.0': + resolution: {integrity: sha512-3vZl9u0R+/FLQcpy2EHyRGNqAS/ofJ3Ji8aebilfJe+fobK8+LbIFmrHciLVDxjDoONmufDcnVSF38KwMEOjzw==} + engines: {node: ^18.18.0 || >=20.0.0} + peerDependencies: + eslint: ^8.56.0 + + '@typescript-eslint/visitor-keys@7.5.0': + resolution: {integrity: sha512-mcuHM/QircmA6O7fy6nn2w/3ditQkj+SgtOc8DW3uQ10Yfj42amm2i+6F2K4YAOPNNTmE6iM1ynM6lrSwdendA==} + engines: {node: ^18.18.0 || >=20.0.0} + + '@ungap/structured-clone@1.2.0': + resolution: {integrity: sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ==} + + '@unique-nft/opal-testnet-types@1003.70.0': + resolution: {integrity: sha512-vXJoV7cqwO21svd03DFL7bl8H77zFbJzgkUgNPLPbVA6YkZt+ZeDmbP9lKKPbNadB1DP84kOZPVvsbmzx7+Jxg==} + peerDependencies: + '@polkadot/api': ^10.10.1 + '@polkadot/types': ^10.10.1 + + '@unique-nft/quartz-mainnet-types@1003.70.0': + resolution: {integrity: sha512-qs5iwMcDpBeJ6mXzSAbMB6DY9NkdAqPD1KmekOVG9Vug+hKWvSlfW5ozd63O/J2h7iliqwL0WZjDdwvBNdcTNg==} + peerDependencies: + '@polkadot/api': ^10.10.1 + '@polkadot/types': ^10.10.1 + + '@unique-nft/sapphire-mainnet-types@1003.70.0': + resolution: {integrity: sha512-hEMpLDPZxUuGW+B90AxaF3Clw/kvGn20oao+Ejq4nrCNRF/2k3CjjuG1NScZVcPZuGgKPAkBPiHNSF9aRN6qFg==} + peerDependencies: + '@polkadot/api': ^10.10.1 + '@polkadot/types': ^10.10.1 + + '@unique-nft/unique-mainnet-types@1001.63.0': + resolution: {integrity: sha512-IVr+F7+QvbW2zhbI2aWNtiOBXYAcd6GQ9HmDUdfSd4S0s3TSa8PAC/ikNvD3fk1A2FlBbWjVO0JyPDnnybv/og==} + peerDependencies: + '@polkadot/api': ^10.10.1 + '@polkadot/types': ^10.10.1 + + '@vitest/expect@2.1.1': + resolution: {integrity: sha512-YeueunS0HiHiQxk+KEOnq/QMzlUuOzbU1Go+PgAsHvvv3tUkJPm9xWt+6ITNTlzsMXUjmgm5T+U7KBPK2qQV6w==} + + '@vitest/mocker@2.1.1': + resolution: {integrity: sha512-LNN5VwOEdJqCmJ/2XJBywB11DLlkbY0ooDJW3uRX5cZyYCrc4PI/ePX0iQhE3BiEGiQmK4GE7Q/PqCkkaiPnrA==} + peerDependencies: + '@vitest/spy': 2.1.1 + msw: ^2.3.5 + vite: ^5.0.0 + peerDependenciesMeta: + msw: + optional: true + vite: + optional: true + + '@vitest/pretty-format@2.1.1': + resolution: {integrity: sha512-SjxPFOtuINDUW8/UkElJYQSFtnWX7tMksSGW0vfjxMneFqxVr8YJ979QpMbDW7g+BIiq88RAGDjf7en6rvLPPQ==} + + '@vitest/runner@2.1.1': + resolution: {integrity: sha512-uTPuY6PWOYitIkLPidaY5L3t0JJITdGTSwBtwMjKzo5O6RCOEncz9PUN+0pDidX8kTHYjO0EwUIvhlGpnGpxmA==} + + '@vitest/snapshot@2.1.1': + resolution: {integrity: sha512-BnSku1WFy7r4mm96ha2FzN99AZJgpZOWrAhtQfoxjUU5YMRpq1zmHRq7a5K9/NjqonebO7iVDla+VvZS8BOWMw==} + + '@vitest/spy@2.1.1': + resolution: {integrity: sha512-ZM39BnZ9t/xZ/nF4UwRH5il0Sw93QnZXd9NAZGRpIgj0yvVwPpLd702s/Cx955rGaMlyBQkZJ2Ir7qyY48VZ+g==} + + '@vitest/ui@2.1.1': + resolution: {integrity: sha512-IIxo2LkQDA+1TZdPLYPclzsXukBWd5dX2CKpGqH8CCt8Wh0ZuDn4+vuQ9qlppEju6/igDGzjWF/zyorfsf+nHg==} + peerDependencies: + vitest: 2.1.1 + + '@vitest/utils@2.1.1': + resolution: {integrity: sha512-Y6Q9TsI+qJ2CC0ZKj6VBb+T8UPz593N113nnUykqwANqhgf3QkZeHFlusgKLTqrnVHbj/XDKZcDHol+dxVT+rQ==} + + '@vue/compiler-core@3.4.31': + resolution: {integrity: sha512-skOiodXWTV3DxfDhB4rOf3OGalpITLlgCeOwb+Y9GJpfQ8ErigdBUHomBzvG78JoVE8MJoQsb+qhZiHfKeNeEg==} + + '@vue/compiler-dom@3.4.31': + resolution: {integrity: sha512-wK424WMXsG1IGMyDGyLqB+TbmEBFM78hIsOJ9QwUVLGrcSk0ak6zYty7Pj8ftm7nEtdU/DGQxAXp0/lM/2cEpQ==} + + '@vue/compiler-sfc@3.4.31': + resolution: {integrity: sha512-einJxqEw8IIJxzmnxmJBuK2usI+lJonl53foq+9etB2HAzlPjAS/wa7r0uUpXw5ByX3/0uswVSrjNb17vJm1kQ==} + + '@vue/compiler-ssr@3.4.31': + resolution: {integrity: sha512-RtefmITAje3fJ8FSg1gwgDhdKhZVntIVbwupdyZDSifZTRMiWxWehAOTCc8/KZDnBOcYQ4/9VWxsTbd3wT0hAA==} + + '@vue/reactivity@3.4.31': + resolution: {integrity: sha512-VGkTani8SOoVkZNds1PfJ/T1SlAIOf8E58PGAhIOUDYPC4GAmFA2u/E14TDAFcf3vVDKunc4QqCe/SHr8xC65Q==} + + '@vue/runtime-core@3.4.31': + resolution: {integrity: sha512-LDkztxeUPazxG/p8c5JDDKPfkCDBkkiNLVNf7XZIUnJ+66GVGkP+TIh34+8LtPisZ+HMWl2zqhIw0xN5MwU1cw==} + + '@vue/runtime-dom@3.4.31': + resolution: {integrity: sha512-2Auws3mB7+lHhTFCg8E9ZWopA6Q6L455EcU7bzcQ4x6Dn4cCPuqj6S2oBZgN2a8vJRS/LSYYxwFFq2Hlx3Fsaw==} + + '@vue/server-renderer@3.4.31': + resolution: {integrity: sha512-D5BLbdvrlR9PE3by9GaUp1gQXlCNadIZytMIb8H2h3FMWJd4oUfkUTEH2wAr3qxoRz25uxbTcbqd3WKlm9EHQA==} + peerDependencies: + vue: 3.4.31 + + '@vue/shared@3.4.31': + resolution: {integrity: sha512-Yp3wtJk//8cO4NItOPpi3QkLExAr/aLBGZMmTtW9WpdwBCJpRM6zj9WgWktXAl8IDIozwNMByT45JP3tO3ACWA==} + + '@zeitgeistpm/type-defs@1.0.0': + resolution: {integrity: sha512-dtjNlJSb8ELz87aTD6jqKKfO7kY4HFYzSmDk9JrzHLv+w/JKtG+aLz+WImL6MSaF1MjDE1tm28dj980Zn+nfGA==} + + '@zeroio/type-definitions@0.0.14': + resolution: {integrity: sha512-OkqtOLPkR7oqWLrsgRKhzyLZVFLnNLfEF3DMXH+Rpn1fMNMDq/fOY9pXt55B+flBc62saN73CfOTy3hMSVZFTA==} + + '@zombienet/orchestrator@0.0.87': + resolution: {integrity: sha512-kORyR8/JgiP0BStooCbcyUkhPOI+RXKRs1QEqUN+kKtIN7PvpEjtXlhxROWiqpIQqhcDsHmkOxFcxSq1T0Glaw==} + engines: {node: '>=18'} + + '@zombienet/utils@0.0.25': + resolution: {integrity: sha512-VS+tWmdZ8ozRkA1Lgb/Si9iISgJz8AEQpPnlnlIg3lfVHYFqAD7M5DpiFv24AAEBSraokVhUv9E9E1uE4d4f0w==} + engines: {node: '>=18'} + + JSONStream@1.3.5: + resolution: {integrity: sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==} + hasBin: true + + a-sync-waterfall@1.0.1: + resolution: {integrity: sha512-RYTOHHdWipFUliRFMCS4X2Yn2X8M87V/OpSqWzKKOGhzqyUxzyVmhHDH9sAvG+ZuQf/TAOFsLCpMw09I1ufUnA==} + + abbrev@1.1.1: + resolution: {integrity: sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==} + + abitype@0.7.1: + resolution: {integrity: sha512-VBkRHTDZf9Myaek/dO3yMmOzB/y2s3Zo6nVU7yaw1G+TvCHAjwaJzNGN9yo4K5D8bU/VZXKP1EJpRhFr862PlQ==} + peerDependencies: + typescript: '>=4.9.4' + zod: ^3 >=3.19.1 + peerDependenciesMeta: + zod: + optional: true + + abitype@1.0.5: + resolution: {integrity: sha512-YzDhti7cjlfaBhHutMaboYB21Ha3rXR9QTkNJFzYC4kC8YclaiwPBBBJY8ejFdu2wnJeZCVZSMlQJ7fi8S6hsw==} + peerDependencies: + typescript: '>=5.0.4' + zod: ^3 >=3.22.0 + peerDependenciesMeta: + typescript: + optional: true + zod: + optional: true + + abort-controller@3.0.0: + resolution: {integrity: sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg==} + engines: {node: '>=6.5'} + + abortcontroller-polyfill@1.7.5: + resolution: {integrity: sha512-JMJ5soJWP18htbbxJjG7bG6yuI6pRhgJ0scHHTfkUjf6wjP912xZWvM+A4sJK3gqd9E8fcPbDnOefbA9Th/FIQ==} + + abstract-leveldown@6.2.3: + resolution: {integrity: sha512-BsLm5vFMRUrrLeCcRc+G0t2qOaTzpoJQLOubq2XM72eNpjF5UdU5o/5NvlNhx95XHcAvcl8OMXr4mlg/fRgUXQ==} + engines: {node: '>=6'} + + abstract-leveldown@6.3.0: + resolution: {integrity: sha512-TU5nlYgta8YrBMNpc9FwQzRbiXsj49gsALsXadbGHt9CROPzX5fB0rWDR5mtdpOOKa5XqRFpbj1QroPAoPzVjQ==} + engines: {node: '>=6'} + + accepts@1.3.8: + resolution: {integrity: sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==} + engines: {node: '>= 0.6'} + + acorn-jsx@5.3.2: + resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==} + peerDependencies: + acorn: ^6.0.0 || ^7.0.0 || ^8.0.0 + + acorn-walk@8.3.2: + resolution: {integrity: sha512-cjkyv4OtNCIeqhHrfS81QWXoCBPExR/J62oyEqepVw8WaQeSqpW2uhuLPh1m9eWhDuOo/jUXVTlifvesOWp/4A==} + engines: {node: '>=0.4.0'} + + acorn@8.11.3: + resolution: {integrity: sha512-Y9rRfJG5jcKOE0CLisYbojUjIrIEE7AGMzA/Sm4BslANhbS+cDMpgBdcPT91oJ7OuJ9hYJBx59RjbhxVnrF8Xg==} + engines: {node: '>=0.4.0'} + hasBin: true + + acorn@8.12.1: + resolution: {integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==} + engines: {node: '>=0.4.0'} + hasBin: true + + aes-js@4.0.0-beta.5: + resolution: {integrity: sha512-G965FqalsNyrPqgEGON7nIx1e/OVENSgiEIzyC63haUMuvNnwIgIjMs52hlTCKhkBny7A2ORNlfY9Zu+jmGk1Q==} + + agent-base@6.0.2: + resolution: {integrity: sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==} + engines: {node: '>= 6.0.0'} + + agent-base@7.1.1: + resolution: {integrity: sha512-H0TSyFNDMomMNJQBn8wFV5YC/2eJ+VXECwOadZJT554xP6cODZHPX3H9QMQECxvrgiSOP1pHjy1sMWQVYJOUOA==} + engines: {node: '>= 14'} + + agentkeepalive@4.5.0: + resolution: {integrity: sha512-5GG/5IbQQpC9FpkRGsSvZI5QYeSCzlJHdpBQntCsuTOxhKD8lqKhrleg2Yi7yvMIf82Ycmmqln9U8V9qwEiJew==} + engines: {node: '>= 8.0.0'} + + aggregate-error@3.1.0: + resolution: {integrity: sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==} + engines: {node: '>=8'} + + aggregate-error@5.0.0: + resolution: {integrity: sha512-gOsf2YwSlleG6IjRYG2A7k0HmBMEo6qVNk9Bp/EaLgAJT5ngH6PXbqa4ItvnEwCm/velL5jAnQgsHsWnjhGmvw==} + engines: {node: '>=18'} + + ajv@6.12.6: + resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==} + + ansi-colors@4.1.1: + resolution: {integrity: sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==} + engines: {node: '>=6'} + + ansi-colors@4.1.3: + resolution: {integrity: sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==} + engines: {node: '>=6'} + + ansi-escapes@4.3.2: + resolution: {integrity: sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==} + engines: {node: '>=8'} + + ansi-regex@5.0.1: + resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==} + engines: {node: '>=8'} + + ansi-regex@6.0.1: + resolution: {integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==} + engines: {node: '>=12'} + + ansi-styles@4.3.0: + resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==} + engines: {node: '>=8'} + + ansi-styles@6.2.1: + resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==} + engines: {node: '>=12'} + + any-promise@1.3.0: + resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==} + + anymatch@3.1.3: + resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==} + engines: {node: '>= 8'} + + app-root-path@3.1.0: + resolution: {integrity: sha512-biN3PwB2gUtjaYy/isrU3aNWI5w+fAfvHkSvCKeQGxhmYpwKFUxudR3Yya+KqVRHBmEDYh+/lTozYCFbmzX4nA==} + engines: {node: '>= 6.0.0'} + + aproba@2.0.0: + resolution: {integrity: sha512-lYe4Gx7QT+MKGbDsA+Z+he/Wtef0BiwDOlK/XkBrdfsh9J/jPPXbX0tE9x9cl27Tmu5gg3QUbUrQYa/y+KOHPQ==} + + are-we-there-yet@3.0.1: + resolution: {integrity: sha512-QZW4EDmGwlYur0Yyf/b2uGucHQMa8aFUP7eu9ddR73vvhFyt4V0Vl3QHPcTNJ8l6qYOBdxgXdnBXQrHilfRQBg==} + engines: {node: ^12.13.0 || ^14.15.0 || >=16.0.0} + deprecated: This package is no longer supported. + + arg@4.1.3: + resolution: {integrity: sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==} + + argparse@2.0.1: + resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==} + + array-buffer-byte-length@1.0.1: + resolution: {integrity: sha512-ahC5W1xgou+KTXix4sAO8Ki12Q+jf4i0+tmk3sC+zgcynshkHxzpXdImBehiUYKKKDwvfFiJl1tZt6ewscS1Mg==} + engines: {node: '>= 0.4'} + + array-flatten@1.1.1: + resolution: {integrity: sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==} + + array-union@2.1.0: + resolution: {integrity: sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==} + engines: {node: '>=8'} + + asap@2.0.6: + resolution: {integrity: sha512-BSHWgDSAiKs50o2Re8ppvp3seVHXSRM44cdSsT9FfNEUUZLOGWVCsiWaRPWM1Znn+mqZ1OfVZ3z3DWEzSp7hRA==} + + asn1@0.2.6: + resolution: {integrity: sha512-ix/FxPn0MDjeyJ7i/yoHGFt/EX6LyNbxSEhPPXODPL+KB0VPk86UYfL0lMdy+KCnv+fmvIzySwaK5COwqVbWTQ==} + + assert-plus@1.0.0: + resolution: {integrity: sha512-NfJ4UzBCcQGLDlQq7nHxH+tv3kyZ0hHQqF5BO6J7tNJeP5do1llPr8dZ8zHonfhAu0PHAdMkSo+8o0wxg9lZWw==} + engines: {node: '>=0.8'} + + assertion-error@1.1.0: + resolution: {integrity: sha512-jgsaNduz+ndvGyFt3uSuWqvy4lCnIJiovtouQN5JZHOKCS2QuhEdbcQHFhVksz2N2U9hXJo8odG7ETyWlEeuDw==} + + assertion-error@2.0.1: + resolution: {integrity: sha512-Izi8RQcffqCeNVgFigKli1ssklIbpHnCYc6AknXGYoB6grJqyeby7jv12JUQgmTAnIDnbck1uxksT4dzN3PWBA==} + engines: {node: '>=12'} + + async-limiter@1.0.1: + resolution: {integrity: sha512-csOlWGAcRFJaI6m+F2WKdnMKr4HhdhFVBk0H/QbJFMCr+uO2kwohwXQPxw/9OCxp05r5ghVBFSyioixx3gfkNQ==} + + asynckit@0.4.0: + resolution: {integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==} + + atomic-sleep@1.0.0: + resolution: {integrity: sha512-kNOjDqAh7px0XWNI+4QbzoiR/nTkHAWNud2uvnJquD1/x5a7EQZMJT0AczqK0Qn67oY/TTQ1LbUKajZpp3I9tQ==} + engines: {node: '>=8.0.0'} + + available-typed-arrays@1.0.7: + resolution: {integrity: sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==} + engines: {node: '>= 0.4'} + + aws-sign2@0.7.0: + resolution: {integrity: sha512-08kcGqnYf/YmjoRhfxyu+CLxBjUtHLXLXX/vUfx9l2LYzG3c1m61nrpyFUZI6zeS+Li/wWMMidD9KgrqtGq3mA==} + + aws4@1.12.0: + resolution: {integrity: sha512-NmWvPnx0F1SfrQbYwOi7OeaNGokp9XhzNioJ/CSBs8Qa4vxug81mhJEAVZwxXuBmYB5KDRfMq/F3RR0BIU7sWg==} + + axios@1.7.7: + resolution: {integrity: sha512-S4kL7XrjgBmvdGut0sN3yJxqYzrDOnivkBiN0OFs6hLiUam3UPvswUo0kqGyhqUZGEOytHyumEdXsAkgCOUf3Q==} + + balanced-match@1.0.2: + resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==} + + base-x@3.0.10: + resolution: {integrity: sha512-7d0s06rR9rYaIWHkpfLIFICM/tkSVdoPC9qYAQRpxn9DdKNWNsKC0uk++akckyLq16Tx2WIinnZ6WRriAt6njQ==} + + base64-js@1.5.1: + resolution: {integrity: sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==} + + bcrypt-pbkdf@1.0.2: + resolution: {integrity: sha512-qeFIXtP4MSoi6NLqO12WfqARWWuCKi2Rn/9hJLEmtB5yTNr9DqFWkJRCf2qShWzPeAMRnOgCrq0sg/KLv5ES9w==} + + before-after-hook@3.0.2: + resolution: {integrity: sha512-Nik3Sc0ncrMK4UUdXQmAnRtzmNQTAAXmXIopizwZ1W1t8QmfJj+zL4OA2I7XPTPW5z5TDqv4hRo/JzouDJnX3A==} + + bidi-js@1.0.3: + resolution: {integrity: sha512-RKshQI1R3YQ+n9YJz2QQ147P66ELpa1FQEg20Dk8oW9t2KgLbpDLLp9aGZ7y8WHSshDknG0bknqGw5/tyCs5tw==} + + bignumber.js@9.1.2: + resolution: {integrity: sha512-2/mKyZH9K85bzOEfhXDBFZTGd1CTs+5IHpeFQo9luiBG7hghdC851Pj2WAhb6E3R6b9tZj/XKhbg4fum+Kepug==} + + binary-extensions@2.2.0: + resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==} + engines: {node: '>=8'} + + bindings@1.5.0: + resolution: {integrity: sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ==} + + bit-twiddle@1.0.2: + resolution: {integrity: sha512-B9UhK0DKFZhoTFcfvAzhqsjStvGJp9vYWf3+6SNTtdSQnvIgfkHbgHrg/e4+TH71N2GDu8tpmCVoyfrL1d7ntA==} + + bl@4.1.0: + resolution: {integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==} + + bl@5.1.0: + resolution: {integrity: sha512-tv1ZJHLfTDnXE6tMHv73YgSJaWR2AFuPwMntBe7XL/GBFHnT0CLnsHMogfk5+GzCDC5ZWarSCYaIGATZt9dNsQ==} + + blakejs@1.2.1: + resolution: {integrity: sha512-QXUSXI3QVc/gJME0dBpXrag1kbzOqCjCX8/b54ntNyW6sjtoqxqRk3LTmXzaJoh71zMsDCjM+47jS7XiwN/+fQ==} + + bluebird@3.7.2: + resolution: {integrity: sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==} + + bn.js@4.11.6: + resolution: {integrity: sha512-XWwnNNFCuuSQ0m3r3C4LE3EiORltHd9M05pq6FOlVeiophzRbMo50Sbz1ehl8K3Z+jw9+vmgnXefY1hz8X+2wA==} + + bn.js@4.12.0: + resolution: {integrity: sha512-c98Bf3tPniI+scsdk237ku1Dc3ujXQTSgyiPUDEOe7tRkhrqridvh8klBv0HCEso1OLOYcHuCv/cS6DNxKH+ZA==} + + bn.js@5.2.1: + resolution: {integrity: sha512-eXRvHzWyYPBuB4NBy0cmYQjGitUrtqwbvlzP3G6VFnNRbsZQIxQ10PbKKHt8gZ/HW/D/747aDl+QkDqg3KQLMQ==} + + body-parser@1.20.1: + resolution: {integrity: sha512-jWi7abTbYwajOytWCQc37VulmWiRae5RyTpaCyDcS5/lMdtwSz5lOpDE67srw/HYe35f1z3fDQw+3txg7gNtWw==} + engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16} + + body-parser@1.20.2: + resolution: {integrity: sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==} + engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16} + + boolean@3.2.0: + resolution: {integrity: sha512-d0II/GO9uf9lfUHH2BQsjxzRJZBdsjgsBiW4BvhWk/3qoKwQFjIDVN19PfX8F2D/r9PCMTtLWjYVCFrpeYUzsw==} + + bottleneck@2.19.5: + resolution: {integrity: sha512-VHiNCbI1lKdl44tGrhNfU3lup0Tj/ZBMJB5/2ZbNXRCPuRCO7ed2mgcK4r17y+KB2EfuYuRaVlwNbAeaWGSpbw==} + + brace-expansion@1.1.11: + resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==} + + brace-expansion@2.0.1: + resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==} + + braces@3.0.2: + resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==} + engines: {node: '>=8'} + + braces@3.0.3: + resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==} + engines: {node: '>=8'} + + brorand@1.1.0: + resolution: {integrity: sha512-cKV8tMCEpQs4hK/ik71d6LrPOnpkpGBR0wzxqr68g2m/LB2GxVYQroAjMJZRVM1Y4BCjCKc3vAamxSzOY2RP+w==} + + browser-stdout@1.3.1: + resolution: {integrity: sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw==} + + browserify-aes@1.2.0: + resolution: {integrity: sha512-+7CHXqGuspUn/Sl5aO7Ea0xWGAtETPXNSAjHo48JfLdPWcMng33Xe4znFvQweqc/uzk5zSOI3H52CYnjCfb5hA==} + + bs58@4.0.1: + resolution: {integrity: sha512-Ok3Wdf5vOIlBrgCvTq96gBkJw+JUEzdBgyaza5HLtPm7yTHkjRy8+JzNyHF7BHa0bNWOQIp3m5YF0nnFcOIKLw==} + + bs58check@2.1.2: + resolution: {integrity: sha512-0TS1jicxdU09dwJMNZtVAfzPi6Q6QeN0pM1Fkzrjn+XYHvzMKPU3pHVpva+769iNVSfIYWf7LJ6WR+BuuMf8cA==} + + buffer-to-arraybuffer@0.0.5: + resolution: {integrity: sha512-3dthu5CYiVB1DEJp61FtApNnNndTckcqe4pFcLdvHtrpG+kcyekCJKg4MRiDcFW7A6AODnXB9U4dwQiCW5kzJQ==} + + buffer-xor@1.0.3: + resolution: {integrity: sha512-571s0T7nZWK6vB67HI5dyUF7wXiNcfaPPPTl6zYCNApANjIvYJTg7hlud/+cJpdAhS7dVzqMLmfhfHR3rAcOjQ==} + + buffer@5.7.1: + resolution: {integrity: sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==} + + buffer@6.0.3: + resolution: {integrity: sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA==} + + bufferutil@4.0.8: + resolution: {integrity: sha512-4T53u4PdgsXqKaIctwF8ifXlRTTmEPJ8iEPWFdGZvcf7sbwYo6FKFEX9eNNAnzFZ7EzJAQ3CJeOtCRA4rDp7Pw==} + engines: {node: '>=6.14.2'} + + bytes@3.1.2: + resolution: {integrity: sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==} + engines: {node: '>= 0.8'} + + cac@6.7.14: + resolution: {integrity: sha512-b6Ilus+c3RrdDk+JhLKUAQfzzgLEPy6wcXqS7f/xe1EETvsDP6GORG7SFuOs6cID5YkqchW/LXZbX5bc8j7ZcQ==} + engines: {node: '>=8'} + + cacache@15.3.0: + resolution: {integrity: sha512-VVdYzXEn+cnbXpFgWs5hTT7OScegHVmLhJIR8Ufqk3iFD6A6j5iSX1KuBTfNEv4tdJWE2PzA6IVFtcLC7fN9wQ==} + engines: {node: '>= 10'} + + cacheable-lookup@5.0.4: + resolution: {integrity: sha512-2/kNscPhpcxrOigMZzbiWF7dz8ilhb/nIHU3EyZiXWXpeq/au8qJ8VhdftMkty3n7Gj6HIGalQG8oiBNB3AJgA==} + engines: {node: '>=10.6.0'} + + cacheable-lookup@6.1.0: + resolution: {integrity: sha512-KJ/Dmo1lDDhmW2XDPMo+9oiy/CeqosPguPCrgcVzKyZrL6pM1gU2GmPY/xo6OQPTUaA/c0kwHuywB4E6nmT9ww==} + engines: {node: '>=10.6.0'} + + cacheable-request@7.0.4: + resolution: {integrity: sha512-v+p6ongsrp0yTGbJXjgxPow2+DL93DASP4kXCDKb8/bwRtt9OEF3whggkkDkGNzgcWy2XaF4a8nZglC7uElscg==} + engines: {node: '>=8'} + + call-bind@1.0.5: + resolution: {integrity: sha512-C3nQxfFZxFRVoJoGKKI8y3MOEo129NQ+FgQ08iye+Mk4zNZZGdjfs06bVTr+DBSlA66Q2VEcMki/cUCP4SercQ==} + + call-bind@1.0.7: + resolution: {integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==} + engines: {node: '>= 0.4'} + + callsites@3.1.0: + resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==} + engines: {node: '>=6'} + + camelcase@5.3.1: + resolution: {integrity: sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==} + engines: {node: '>=6'} + + camelcase@6.3.0: + resolution: {integrity: sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==} + engines: {node: '>=10'} + + camelize@1.0.1: + resolution: {integrity: sha512-dU+Tx2fsypxTgtLoE36npi3UqcjSSMNYfkqgmoEhtZrraP5VWq0K7FkWVTYa8eMPtnU/G2txVsfdCJTn9uzpuQ==} + + canvas-renderer@2.2.1: + resolution: {integrity: sha512-RrBgVL5qCEDIXpJ6NrzyRNoTnXxYarqm/cS/W6ERhUJts5UQtt/XPEosGN3rqUkZ4fjBArlnCbsISJ+KCFnIAg==} + + caseless@0.12.0: + resolution: {integrity: sha512-4tYFyifaFfGacoiObjJegolkwSU4xQNGbVgUiNYVUxbQ2x2lUsFvY4hVgVzGiIe6WLOPqycWXA40l+PWsxthUw==} + + cfonts@3.3.0: + resolution: {integrity: sha512-RlVxeEw2FXWI5Bs9LD0/Ef3bsQIc9m6lK/DINN20HIW0Y0YHUO2jjy88cot9YKZITiRTCdWzTfLmTyx47HeSLA==} + engines: {node: '>=10'} + hasBin: true + + chai@4.4.1: + resolution: {integrity: sha512-13sOfMv2+DWduEU+/xbun3LScLoqN17nBeTLUsmDfKdoiC1fr0n9PU4guu4AhRcOVFk/sW8LyZWHuhWtQZiF+g==} + engines: {node: '>=4'} + + chai@5.1.1: + resolution: {integrity: sha512-pT1ZgP8rPNqUgieVaEY+ryQr6Q4HXNg8Ei9UnLUrjN4IA7dvQC5JB+/kxVcPNDHyBcc/26CXPkbNzq3qwrOEKA==} + engines: {node: '>=12'} + + chalk@3.0.0: + resolution: {integrity: sha512-4D3B6Wf41KOYRFdszmDqMCGq5VV/uMAB273JILmO+3jAlh8X4qDtdtgCR3fxtbLEMzSx22QdhnDcJvu2u1fVwg==} + engines: {node: '>=8'} + + chalk@4.1.2: + resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==} + engines: {node: '>=10'} + + chalk@5.3.0: + resolution: {integrity: sha512-dLitG79d+GV1Nb/VYcCDFivJeK1hiukt9QjRNVOsUtTy1rR1YJsmpGGTZ3qJos+uw7WmWF4wUwBd9jxjocFC2w==} + engines: {node: ^12.17.0 || ^14.13 || >=16.0.0} + + chardet@0.7.0: + resolution: {integrity: sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==} + + check-error@1.0.3: + resolution: {integrity: sha512-iKEoDYaRmd1mxM90a2OEfWhjsjPpYPuQ+lMYsoxB126+t8fw7ySEO48nmDg5COTjxDI65/Y2OWpeEHk3ZOe8zg==} + + check-error@2.1.1: + resolution: {integrity: sha512-OAlb+T7V4Op9OwdkjmguYRqncdlx5JiofwOAUkmTF+jNdHwzTaTs4sRAGpzLF3oOz5xAyDGrPgeIDFQmDOTiJw==} + engines: {node: '>= 16'} + + chokidar@3.5.3: + resolution: {integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==} + engines: {node: '>= 8.10.0'} + + chokidar@3.6.0: + resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==} + engines: {node: '>= 8.10.0'} + + chownr@1.1.4: + resolution: {integrity: sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==} + + chownr@2.0.0: + resolution: {integrity: sha512-bIomtDF5KGpdogkLd9VspvFzk9KfpyyGlS8YFVZl7TGPBHL5snIOnxeshwVgPteQ9b4Eydl+pVbIyE1DcvCWgQ==} + engines: {node: '>=10'} + + cids@0.7.5: + resolution: {integrity: sha512-zT7mPeghoWAu+ppn8+BS1tQ5qGmbMfB4AregnQjA/qHY3GC1m1ptI9GkWNlgeu38r7CuRdXB47uY2XgAYt6QVA==} + engines: {node: '>=4.0.0', npm: '>=3.0.0'} + deprecated: This module has been superseded by the multiformats module + + cipher-base@1.0.4: + resolution: {integrity: sha512-Kkht5ye6ZGmwv40uUDZztayT2ThLQGfnj/T71N/XzeZeo3nf8foyW7zGTsPYkEya3m5f3cAypH+qe7YOrM1U2Q==} + + class-is@1.1.0: + resolution: {integrity: sha512-rhjH9AG1fvabIDoGRVH587413LPjTZgmDF9fOFCbFJQV4yuocX1mHxxvXI4g3cGwbVY9wAYIoKlg1N79frJKQw==} + + clean-stack@2.2.0: + resolution: {integrity: sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==} + engines: {node: '>=6'} + + clean-stack@5.2.0: + resolution: {integrity: sha512-TyUIUJgdFnCISzG5zu3291TAsE77ddchd0bepon1VVQrKLGKFED4iXFEDQ24mIPdPBbyE16PK3F8MYE1CmcBEQ==} + engines: {node: '>=14.16'} + + clear@0.1.0: + resolution: {integrity: sha512-qMjRnoL+JDPJHeLePZJuao6+8orzHMGP04A8CdwCNsKhRbOnKRjefxONR7bwILT3MHecxKBjHkKL/tkZ8r4Uzw==} + + cli-cursor@3.1.0: + resolution: {integrity: sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==} + engines: {node: '>=8'} + + cli-cursor@4.0.0: + resolution: {integrity: sha512-VGtlMu3x/4DOtIUwEkRezxUZ2lBacNJCHash0N0WeZDBS+7Ux1dm3XWAgWYxLJFMMdOeXMHXorshEFhbMSGelg==} + engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + + cli-highlight@2.1.11: + resolution: {integrity: sha512-9KDcoEVwyUXrjcJNvHD0NFc/hiwe/WPVYIleQh2O1N2Zro5gWJZ/K+3DGn8w8P/F6FxOgzyC5bxDyHIgCSPhGg==} + engines: {node: '>=8.0.0', npm: '>=5.0.0'} + hasBin: true + + cli-progress@3.12.0: + resolution: {integrity: sha512-tRkV3HJ1ASwm19THiiLIXLO7Im7wlTuKnvkYaTkyoAPefqjNg7W7DHKUlGRxy9vxDvbyCYQkQozvptuMkGCg8A==} + engines: {node: '>=4'} + + cli-spinners@2.9.2: + resolution: {integrity: sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==} + engines: {node: '>=6'} + + cli-table3@0.6.3: + resolution: {integrity: sha512-w5Jac5SykAeZJKntOxJCrm63Eg5/4dhMWIcuTbo9rpE+brgaSZo0RuNJZeOyMgsUdhDeojvgyQLmjI+K50ZGyg==} + engines: {node: 10.* || >= 12.*} + + cli-width@4.1.0: + resolution: {integrity: sha512-ouuZd4/dm2Sw5Gmqy6bGyNNNe1qt9RpmxveLSO7KcgsTnU7RXfsw+/bukWGo1abgBiMAic068rclZsO4IWmmxQ==} + engines: {node: '>= 12'} + + cliui@7.0.4: + resolution: {integrity: sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==} + + cliui@8.0.1: + resolution: {integrity: sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==} + engines: {node: '>=12'} + + clone-response@1.0.3: + resolution: {integrity: sha512-ROoL94jJH2dUVML2Y/5PEDNaSHgeOdSDicUyS7izcF63G6sTc/FTjLub4b8Il9S8S0beOfYt0TaA5qvFK+w0wA==} + + clone@1.0.4: + resolution: {integrity: sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==} + engines: {node: '>=0.8'} + + color-convert@2.0.1: + resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==} + engines: {node: '>=7.0.0'} + + color-name@1.1.4: + resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==} + + color-support@1.1.3: + resolution: {integrity: sha512-qiBjkpbMLO/HL68y+lh4q0/O1MZFj2RX6X/KmMa3+gJD3z+WwI1ZzDHysvqHGS3mP6mznPckpXmw1nI9cJjyRg==} + hasBin: true + + colord@2.9.3: + resolution: {integrity: sha512-jeC1axXpnb0/2nn/Y1LPuLdgXBLH7aDcHu4KEKfqw3CUhX7ZpfBSlPKyqXE6btIgEzfWtrX3/tyBCaCvXvMkOw==} + + colorette@2.0.20: + resolution: {integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==} + + colors@1.4.0: + resolution: {integrity: sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA==} + engines: {node: '>=0.1.90'} + + combined-stream@1.0.8: + resolution: {integrity: sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==} + engines: {node: '>= 0.8'} + + comlink@4.4.1: + resolution: {integrity: sha512-+1dlx0aY5Jo1vHy/tSsIGpSkN4tS9rZSW8FIhG0JH/crs9wwweswIo/POr451r7bZww3hFbPAKnTpimzL/mm4Q==} + + command-exists@1.2.9: + resolution: {integrity: sha512-LTQ/SGc+s0Xc0Fu5WaKnR0YiygZkm9eKFvyS+fRsU7/ZWFF8ykFM6Pc9aCVf1+xasOOZpO3BAVgVrKvsqKHV7w==} + + commander@2.7.1: + resolution: {integrity: sha512-5qK/Wsc2fnRCiizV1JlHavWrSGAXQI7AusK423F8zJLwIGq8lmtO5GmO8PVMrtDUJMwTXOFBzSN6OCRD8CEMWw==} + engines: {node: '>= 0.6.x'} + + commander@5.1.0: + resolution: {integrity: sha512-P0CysNDQ7rtVw4QIQtm+MRxV66vKFSvlsQvGYXZWR3qFU0jlMKHZZZgw8e+8DSah4UDKMqnknRDQz+xuQXQ/Zg==} + engines: {node: '>= 6'} + + commander@8.3.0: + resolution: {integrity: sha512-OkTL9umf+He2DZkUq8f8J9of7yL6RJKI24dVITBmNfZBmri9zYZQrKkuXiKhyfPSu8tUhnVBB1iKXevvnlR4Ww==} + engines: {node: '>= 12'} + + complex.js@2.1.1: + resolution: {integrity: sha512-8njCHOTtFFLtegk6zQo0kkVX1rngygb/KQI6z1qZxlFI3scluC+LVTCFbrkWjBv4vvLlbQ9t88IPMC6k95VTTg==} + + concat-map@0.0.1: + resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==} + + config-chain@1.1.13: + resolution: {integrity: sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==} + + console-control-strings@1.1.0: + resolution: {integrity: sha512-ty/fTekppD2fIwRvnZAVdeOiGd1c7YXEixbgJTNzqcxJWKQnjJ/V1bNEEE6hygpM3WjwHFUVK6HTjWSzV4a8sQ==} + + content-disposition@0.5.4: + resolution: {integrity: sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==} + engines: {node: '>= 0.6'} + + content-hash@2.5.2: + resolution: {integrity: sha512-FvIQKy0S1JaWV10sMsA7TRx8bpU+pqPkhbsfvOJAdjRXvYxEckAwQWGwtRjiaJfh+E0DvcWUGqcdjwMGFjsSdw==} + + content-type@1.0.5: + resolution: {integrity: sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==} + engines: {node: '>= 0.6'} + + cookie-signature@1.0.6: + resolution: {integrity: sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==} + + cookie@0.5.0: + resolution: {integrity: sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==} + engines: {node: '>= 0.6'} + + copy-to-clipboard@3.3.3: + resolution: {integrity: sha512-2KV8NhB5JqC3ky0r9PMCAZKbUHSwtEo4CwCs0KXgruG43gX5PMqDEBbVU4OUzw2MuAWUfsuFmWvEKG5QRfSnJA==} + + core-util-is@1.0.2: + resolution: {integrity: sha512-3lqz5YjWTYnW6dlDa5TLaTCcShfar1e40rmcJVwCBJC6mWlFuj0eCHIElmG1g5kyuJ/GD+8Wn4FFCcz4gJPfaQ==} + + cors@2.8.5: + resolution: {integrity: sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==} + engines: {node: '>= 0.10'} + + crc-32@1.2.2: + resolution: {integrity: sha512-ROmzCKrTnOwybPcJApAA6WBWij23HVfGVNKqqrZpuyZOHqK2CwHSvpGuyt/UNNvaIjEd8X5IFGp4Mh+Ie1IHJQ==} + engines: {node: '>=0.8'} + hasBin: true + + create-hash@1.2.0: + resolution: {integrity: sha512-z00bCGNHDG8mHAkP7CtT1qVu+bFQUPjYq/4Iv3C3kWjTFV10zIjfSoeqXo9Asws8gwSHDGj/hl2u4OGIjapeCg==} + + create-hmac@1.1.7: + resolution: {integrity: sha512-MJG9liiZ+ogc4TzUwuvbER1JRdgvUFSB5+VR/g5h82fGaIRWMWddtKBHi7/sVhfjQZ6SehlyhvQYrcYkaUIpLg==} + + create-require@1.1.1: + resolution: {integrity: sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==} + + cross-fetch@4.0.0: + resolution: {integrity: sha512-e4a5N8lVvuLgAWgnCrLr2PP0YyDOTHa9H/Rj54dirp61qXnNq46m82bRhNqIA5VccJtWBvPTFRV3TtvHUKPB1g==} + + cross-spawn@7.0.3: + resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==} + engines: {node: '>= 8'} + + css-color-keywords@1.0.0: + resolution: {integrity: sha512-FyyrDHZKEjXDpNJYvVsV960FiqQyXc/LlYmsxl2BcdMb2WPx0OGRVgTg55rPSyLSNMqP52R9r8geSp7apN3Ofg==} + engines: {node: '>=4'} + + css-to-react-native@3.2.0: + resolution: {integrity: sha512-e8RKaLXMOFii+02mOlqwjbD00KSEKqblnpO9e++1aXS1fPQOpS1YoqdVHBqPjHNoxeF2mimzVqawm2KCbEdtHQ==} + + css-tree@2.3.1: + resolution: {integrity: sha512-6Fv1DV/TYw//QF5IzQdqsNDjx/wc8TrMBZsqjL9eW01tWb7R7k/mq+/VXfJCl7SoD5emsJop9cOByJZfs8hYIw==} + engines: {node: ^10 || ^12.20.0 || ^14.13.0 || >=15.0.0} + + cssstyle@4.0.1: + resolution: {integrity: sha512-8ZYiJ3A/3OkDd093CBT/0UKDWry7ak4BdPTFP2+QEP7cmhouyq/Up709ASSj2cK02BbZiMgk7kYjZNS4QP5qrQ==} + engines: {node: '>=18'} + + csstype@3.1.3: + resolution: {integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==} + + cuint@0.2.2: + resolution: {integrity: sha512-d4ZVpCW31eWwCMe1YT3ur7mUDnTXbgwyzaL320DrcRT45rfjYxkt5QWLrmOJ+/UEAI2+fQgKe/fCjR8l4TpRgw==} + + d@1.0.2: + resolution: {integrity: sha512-MOqHvMWF9/9MX6nza0KgvFH4HpMU0EF5uUDXqX/BtxtU8NfB0QzRtJ8Oe/6SuS4kbhyzVJwjd97EA4PKrzJ8bw==} + engines: {node: '>=0.12'} + + dashdash@1.14.1: + resolution: {integrity: sha512-jRFi8UDGo6j+odZiEpjazZaWqEal3w/basFjQHQEwVtZJGDpxbH1MeYluwCS8Xq5wmLJooDlMgvVarmWfGM44g==} + engines: {node: '>=0.10'} + + data-uri-to-buffer@4.0.1: + resolution: {integrity: sha512-0R9ikRb668HB7QDxT1vkpuUBtqc53YyAwMwGeUFKRojY/NWKvdZ+9UYtRfGmhqNbRkTSVpMbmyhXipFFv2cb/A==} + engines: {node: '>= 12'} + + data-urls@5.0.0: + resolution: {integrity: sha512-ZYP5VBHshaDAiVZxjbRVcFJpc+4xGgT0bK3vzy1HLN8jTO975HEbuYzZJcHoQEY5K1a0z8YayJkyVETa08eNTg==} + engines: {node: '>=18'} + + dateformat@4.6.3: + resolution: {integrity: sha512-2P0p0pFGzHS5EMnhdxQi7aJN+iMheud0UhG4dlE1DLAlvL8JHjJJTX/CSm4JXwV0Ka5nGk3zC5mcb5bUQUxxMA==} + + dayjs@1.11.11: + resolution: {integrity: sha512-okzr3f11N6WuqYtZSvm+F776mB41wRZMhKP+hc34YdW+KmtYYK9iqvHSwo2k9FEH3fhGXvOPV6yz2IcSrfRUDg==} + + debug@2.6.9: + resolution: {integrity: sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + + debug@4.3.4: + resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==} + engines: {node: '>=6.0'} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + + debug@4.3.5: + resolution: {integrity: sha512-pt0bNEmneDIvdL1Xsd9oDQ/wrQRkXDT4AUWlNZNPKvW5x/jyO9VFXkJUP07vQ2upmw5PlaITaPKc31jK13V+jg==} + engines: {node: '>=6.0'} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + + debug@4.3.7: + resolution: {integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==} + engines: {node: '>=6.0'} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + + decamelize@4.0.0: + resolution: {integrity: sha512-9iE1PgSik9HeIIw2JO94IidnE3eBoQrFJ3w7sFuzSX4DpmZ3v5sZpUiV5Swcf6mQEF+Y0ru8Neo+p+nyh2J+hQ==} + engines: {node: '>=10'} + + decimal.js@10.4.3: + resolution: {integrity: sha512-VBBaLc1MgL5XpzgIP7ny5Z6Nx3UrRkIViUkPUdtl9aya5amy3De1gsUUSB1g3+3sExYNjCAsAznmukyxCb1GRA==} + + decode-uri-component@0.2.2: + resolution: {integrity: sha512-FqUYQ+8o158GyGTrMFJms9qh3CqTKvAqgqsTnkLI8sKu0028orqBhxNMFkFen0zGyg6epACD32pjVk58ngIErQ==} + engines: {node: '>=0.10'} + + decompress-response@3.3.0: + resolution: {integrity: sha512-BzRPQuY1ip+qDonAOz42gRm/pg9F768C+npV/4JOsxRC2sq+Rlk+Q4ZCAsOhnIaMrgarILY+RMUIvMmmX1qAEA==} + engines: {node: '>=4'} + + decompress-response@6.0.0: + resolution: {integrity: sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==} + engines: {node: '>=10'} + + deep-eql@4.1.4: + resolution: {integrity: sha512-SUwdGfqdKOwxCPeVYjwSyRpJ7Z+fhpwIAtmCUdZIWZ/YP5R9WAsyuSgpLVDi9bjWoN2LXHNss/dk3urXtdQxGg==} + engines: {node: '>=6'} + + deep-eql@5.0.2: + resolution: {integrity: sha512-h5k/5U50IJJFpzfL6nO9jaaumfjO/f2NjK/oYB2Djzm4p9L+3T9qWpZqZ2hAbLPuuYq9wrU08WQyBTL5GbPk5Q==} + engines: {node: '>=6'} + + deep-equal@2.2.3: + resolution: {integrity: sha512-ZIwpnevOurS8bpT4192sqAowWM76JDKSHYzMLty3BZGSswgq6pBaH3DhCSW5xVAZICZyKdOBPjwww5wfgT/6PA==} + engines: {node: '>= 0.4'} + + deep-extend@0.6.0: + resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==} + engines: {node: '>=4.0.0'} + + deep-is@0.1.4: + resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==} + + defaults@1.0.4: + resolution: {integrity: sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==} + + defer-to-connect@2.0.1: + resolution: {integrity: sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==} + engines: {node: '>=10'} + + deferred-leveldown@5.3.0: + resolution: {integrity: sha512-a59VOT+oDy7vtAbLRCZwWgxu2BaCfd5Hk7wxJd48ei7I+nsg8Orlb9CLG0PMZienk9BSUKgeAqkO2+Lw+1+Ukw==} + engines: {node: '>=6'} + + define-data-property@1.1.1: + resolution: {integrity: sha512-E7uGkTzkk1d0ByLeSc6ZsFS79Axg+m1P/VsgYsxHgiuc3tFSj+MjMIwe90FC4lOAZzNBdY7kkO2P2wKdsQ1vgQ==} + engines: {node: '>= 0.4'} + + define-data-property@1.1.4: + resolution: {integrity: sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==} + engines: {node: '>= 0.4'} + + define-properties@1.2.1: + resolution: {integrity: sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==} + engines: {node: '>= 0.4'} + + define-property@1.0.0: + resolution: {integrity: sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==} + engines: {node: '>=0.10.0'} + + delayed-stream@1.0.0: + resolution: {integrity: sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==} + engines: {node: '>=0.4.0'} + + delegates@1.0.0: + resolution: {integrity: sha512-bd2L678uiWATM6m5Z1VzNCErI3jiGzt6HGY8OVICs40JQq/HALfbyNJmp0UDakEY4pMMaN0Ly5om/B1VI/+xfQ==} + + depd@2.0.0: + resolution: {integrity: sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==} + engines: {node: '>= 0.8'} + + destroy@1.2.0: + resolution: {integrity: sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==} + engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16} + + detect-libc@2.0.3: + resolution: {integrity: sha512-bwy0MGW55bG41VqxxypOsdSdGqLwXPI/focwgTYCFMbdUiBAxLg9CFzG08sz2aqzknwiX7Hkl0bQENjg8iLByw==} + engines: {node: '>=8'} + + detect-node@2.1.0: + resolution: {integrity: sha512-T0NIuQpnTvFDATNuHN5roPwSBG83rFsuO+MXXH9/3N1eFbn4wcPjttvjMLEPWJ0RGUYgQE7cGgS3tNxbqCGM7g==} + + diff-match-patch@1.0.5: + resolution: {integrity: sha512-IayShXAgj/QMXgB0IWmKx+rOPuGMhqm5w6jvFxmVenXKIzRqTAAsbBPT3kWQeGANj3jGgvcvv4yK6SxqYmikgw==} + + diff@4.0.2: + resolution: {integrity: sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==} + engines: {node: '>=0.3.1'} + + diff@5.0.0: + resolution: {integrity: sha512-/VTCrvm5Z0JGty/BWHljh+BAiw3IK+2j87NGMu8Nwc/f48WoDAC395uomO9ZD117ZOBaHmkX1oyLvkVM/aIT3w==} + engines: {node: '>=0.3.1'} + + diff@5.2.0: + resolution: {integrity: sha512-uIFDxqpRZGZ6ThOk84hEfqWoHx2devRFvpTZcTHur85vImfaxUbTW9Ryh4CpCuDnToOP1CEtXKIgytHBPVff5A==} + engines: {node: '>=0.3.1'} + + dir-glob@3.0.1: + resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==} + engines: {node: '>=8'} + + doctrine@3.0.0: + resolution: {integrity: sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==} + engines: {node: '>=6.0.0'} + + dom-walk@0.1.2: + resolution: {integrity: sha512-6QvTW9mrGeIegrFXdtQi9pk7O/nSK6lSdXW2eqUspN5LWD7UTji2Fqw5V2YLjBpHEoU9Xl/eUWNpDeZvoyOv2w==} + + dotenv@16.4.5: + resolution: {integrity: sha512-ZmdL2rui+eB2YwhsWzjInR8LldtZHGDoQ1ugH85ppHKwpUHL7j7rN0Ti9NCnGiQbhaZ11FpR+7ao1dNsmduNUg==} + engines: {node: '>=12'} + + eastasianwidth@0.2.0: + resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==} + + ecc-jsbn@0.1.2: + resolution: {integrity: sha512-eh9O+hwRHNbG4BLTjEl3nw044CkGm5X6LoaCf7LPp7UU8Qrt47JYNi6nPX8xjW97TKGKm1ouctg0QSpZe9qrnw==} + + ed2curve@0.3.0: + resolution: {integrity: sha512-8w2fmmq3hv9rCrcI7g9hms2pMunQr1JINfcjwR9tAyZqhtyaMN991lF/ZfHfr5tzZQ8c7y7aBgZbjfbd0fjFwQ==} + + ee-first@1.1.1: + resolution: {integrity: sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==} + + elliptic@6.5.4: + resolution: {integrity: sha512-iLhC6ULemrljPZb+QutR5TQGB+pdW6KGD5RSegS+8sorOZT+rdQFbsQFJgvN3eRqNALqJer4oQ16YvJHlU8hzQ==} + + elliptic@6.5.5: + resolution: {integrity: sha512-7EjbcmUm17NQFu4Pmgmq2olYMj8nwMnpcddByChSUjArp8F5DQWcIcpriwO4ZToLNAJig0yiyjswfyGNje/ixw==} + + emoji-regex@8.0.0: + resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==} + + emoji-regex@9.2.2: + resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==} + + encodeurl@1.0.2: + resolution: {integrity: sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==} + engines: {node: '>= 0.8'} + + encoding-down@6.3.0: + resolution: {integrity: sha512-QKrV0iKR6MZVJV08QY0wp1e7vF6QbhnbQhb07bwpEyuz4uZiZgPlEGdkCROuFkUwdxlFaiPIhjyarH1ee/3vhw==} + engines: {node: '>=6'} + + encoding@0.1.13: + resolution: {integrity: sha512-ETBauow1T35Y/WZMkio9jiM0Z5xjHHmJ4XmjZOq1l/dXz3lr2sRn87nJy20RupqSh1F2m3HHPSp8ShIPQJrJ3A==} + + end-of-stream@1.4.4: + resolution: {integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==} + + entities@4.5.0: + resolution: {integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==} + engines: {node: '>=0.12'} + + env-paths@2.2.1: + resolution: {integrity: sha512-+h1lkLKhZMTYjog1VEpJNG7NZJWcuc2DDk/qsqSTRRCOXiLjeQ1d1/udrUGhqMxUgAlwKNZ0cf2uqan5GLuS2A==} + engines: {node: '>=6'} + + err-code@2.0.3: + resolution: {integrity: sha512-2bmlRpNKBxT/CRmPOlyISQpNj+qSeYvcym/uT0Jx2bMOlKLtSy1ZmLuVxSEKKyor/N5yhvp/ZiG1oE3DEYMSFA==} + + err-code@3.0.1: + resolution: {integrity: sha512-GiaH0KJUewYok+eeY05IIgjtAe4Yltygk9Wqp1V5yVWLdhf0hYZchRjNIT9bb0mSwRcIusT3cx7PJUf3zEIfUA==} + + errno@0.1.8: + resolution: {integrity: sha512-dJ6oBr5SQ1VSd9qkk7ByRgb/1SH4JZjCHSW/mr63/QcXO9zLVxvJ6Oy13nio03rxpSnVDDjFor75SjVeZWPW/A==} + hasBin: true + + es-define-property@1.0.0: + resolution: {integrity: sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==} + engines: {node: '>= 0.4'} + + es-errors@1.3.0: + resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==} + engines: {node: '>= 0.4'} + + es-get-iterator@1.1.3: + resolution: {integrity: sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==} + + es5-ext@0.10.64: + resolution: {integrity: sha512-p2snDhiLaXe6dahss1LddxqEm+SkuDvV8dnIQG0MWjyHpcMNfXKPE+/Cc0y+PhxJX3A4xGNeFCj5oc0BUh6deg==} + engines: {node: '>=0.10'} + + es6-error@4.1.1: + resolution: {integrity: sha512-Um/+FxMr9CISWh0bi5Zv0iOD+4cFh5qLeks1qhAopKVAJw3drgKbKySikp7wGhDL0HPeaja0P5ULZrxLkniUVg==} + + es6-iterator@2.0.3: + resolution: {integrity: sha512-zw4SRzoUkd+cl+ZoE15A9o1oQd920Bb0iOJMQkQhl3jNc03YqVjAhG7scf9C5KWRU/R13Orf588uCC6525o02g==} + + es6-promise@4.2.8: + resolution: {integrity: sha512-HJDGx5daxeIvxdBxvG2cb9g4tEvwIk3i8+nhX0yGrYmZUzbkdg8QbDevheDB8gd0//uPj4c1EQua8Q+MViT0/w==} + + es6-symbol@3.1.4: + resolution: {integrity: sha512-U9bFFjX8tFiATgtkJ1zg25+KviIXpgRvRHS8sau3GfhVzThRQrOeksPeT0BWW2MNZs1OEWJ1DPXOQMn0KKRkvg==} + engines: {node: '>=0.12'} + + es6-weak-map@2.0.3: + resolution: {integrity: sha512-p5um32HOTO1kP+w7PRnB+5lQ43Z6muuMuIMffvDN8ZB4GcnjLBV6zGStpbASIMk4DCAvEaamhe2zhyCb/QXXsA==} + + esbuild@0.19.12: + resolution: {integrity: sha512-aARqgq8roFBj054KvQr5f1sFu0D65G+miZRCuJyJ0G13Zwx7vRar5Zhn2tkQNzIXcBrNVsv/8stehpj+GAjgbg==} + engines: {node: '>=12'} + hasBin: true + + esbuild@0.21.5: + resolution: {integrity: sha512-mg3OPMV4hXywwpoDxu3Qda5xCKQi+vCTZq8S9J/EpkhB2HzKXq4SNFZE3+NK93JYxc8VMSep+lOUSC/RVKaBqw==} + engines: {node: '>=12'} + hasBin: true + + escalade@3.1.1: + resolution: {integrity: sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==} + engines: {node: '>=6'} + + escape-html@1.0.3: + resolution: {integrity: sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==} + + escape-latex@1.2.0: + resolution: {integrity: sha512-nV5aVWW1K0wEiUIEdZ4erkGGH8mDxGyxSeqPzRNtWP7ataw+/olFObw7hujFWlVjNsaDFw5VZ5NzVSIqRgfTiw==} + + escape-string-regexp@4.0.0: + resolution: {integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==} + engines: {node: '>=10'} + + escape-string-regexp@5.0.0: + resolution: {integrity: sha512-/veY75JbMK4j1yjvuUxuVsiS/hr/4iHs9FTT6cgTexxdE0Ly/glccBAkloH/DofkjRbZU3bnoj38mOmhkZ0lHw==} + engines: {node: '>=12'} + + eslint-plugin-unused-imports@3.1.0: + resolution: {integrity: sha512-9l1YFCzXKkw1qtAru1RWUtG2EVDZY0a0eChKXcL+EZ5jitG7qxdctu4RnvhOJHv4xfmUf7h+JJPINlVpGhZMrw==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + peerDependencies: + '@typescript-eslint/eslint-plugin': 6 - 7 + eslint: '8' + peerDependenciesMeta: + '@typescript-eslint/eslint-plugin': + optional: true + + eslint-rule-composer@0.3.0: + resolution: {integrity: sha512-bt+Sh8CtDmn2OajxvNO+BX7Wn4CIWMpTRm3MaiKPCQcnnlm0CS2mhui6QaoeQugs+3Kj2ESKEEGJUdVafwhiCg==} + engines: {node: '>=4.0.0'} + + eslint-scope@7.2.2: + resolution: {integrity: sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + + eslint-visitor-keys@3.4.3: + resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + + eslint@8.57.0: + resolution: {integrity: sha512-dZ6+mexnaTIbSBZWgou51U6OmzIhYM2VcNdtiTtI7qPNZm35Akpr0f6vtw3w1Kmn5PYo+tZVfh13WrhpS6oLqQ==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + hasBin: true + + esniff@2.0.1: + resolution: {integrity: sha512-kTUIGKQ/mDPFoJ0oVfcmyJn4iBDRptjNVIzwIFR7tqWXdVI9xfA2RMwY/gbSpJG3lkdWNEjLap/NqVHZiJsdfg==} + engines: {node: '>=0.10'} + + espree@9.6.1: + resolution: {integrity: sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + + esquery@1.5.0: + resolution: {integrity: sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==} + engines: {node: '>=0.10'} + + esrecurse@4.3.0: + resolution: {integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==} + engines: {node: '>=4.0'} + + estraverse@5.3.0: + resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==} + engines: {node: '>=4.0'} + + estree-walker@2.0.2: + resolution: {integrity: sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==} + + estree-walker@3.0.3: + resolution: {integrity: sha512-7RUKfXgSMMkzt6ZuXmqapOurLGPPfgj6l9uRZ7lRGolvk0y2yocc35LdcxKC5PQZdn2DMqioAQ2NoWcrTKmm6g==} + + esutils@2.0.3: + resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==} + engines: {node: '>=0.10.0'} + + etag@1.8.1: + resolution: {integrity: sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==} + engines: {node: '>= 0.6'} + + eth-ens-namehash@2.0.8: + resolution: {integrity: sha512-VWEI1+KJfz4Km//dadyvBBoBeSQ0MHTXPvr8UIXiLW6IanxvAV+DmlZAijZwAyggqGUfwQBeHf7tc9wzc1piSw==} + + eth-lib@0.1.29: + resolution: {integrity: sha512-bfttrr3/7gG4E02HoWTDUcDDslN003OlOoBxk9virpAZQ1ja/jDgwkWB8QfJF7ojuEowrqy+lzp9VcJG7/k5bQ==} + + eth-lib@0.2.8: + resolution: {integrity: sha512-ArJ7x1WcWOlSpzdoTBX8vkwlkSQ85CjjifSZtV4co64vWxSV8geWfPI9x4SVYu3DSxnX4yWFVTtGL+j9DUFLNw==} + + eth-object@https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06: + resolution: {tarball: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06} + name: eth-object + version: 1.0.3 + + eth-util-lite@https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7: + resolution: {tarball: https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7} + name: eth-util-lite + version: 1.0.1 + + ethereum-blockies-base64@1.0.2: + resolution: {integrity: sha512-Vg2HTm7slcWNKaRhCUl/L3b4KrB8ohQXdd5Pu3OI897EcR6tVRvUqdTwAyx+dnmoDzj8e2bwBLDQ50ByFmcz6w==} + + ethereum-bloom-filters@1.0.10: + resolution: {integrity: sha512-rxJ5OFN3RwjQxDcFP2Z5+Q9ho4eIdEmSc2ht0fCu8Se9nbXjZ7/031uXoUYJ87KHCOdVeiUuwSnoS7hmYAGVHA==} + + ethereum-cryptography@0.1.3: + resolution: {integrity: sha512-w8/4x1SGGzc+tO97TASLja6SLd3fRIK2tLVcV2Gx4IB21hE19atll5Cq9o3d0ZmAYC/8aw0ipieTSiekAea4SQ==} + + ethereum-cryptography@2.2.1: + resolution: {integrity: sha512-r/W8lkHSiTLxUxW8Rf3u4HGB0xQweG2RyETjywylKZSzLWoWAijRz8WCuOtJ6wah+avllXBqZuk29HCCvhEIRg==} + + ethereumjs-util@7.1.5: + resolution: {integrity: sha512-SDl5kKrQAudFBUe5OJM9Ac6WmMyYmXX/6sTmLZ3ffG2eY6ZIGBes3pEDxNN6V72WyOw4CPD5RomKdsa8DAAwLg==} + engines: {node: '>=10.0.0'} + + ethers@6.13.1: + resolution: {integrity: sha512-hdJ2HOxg/xx97Lm9HdCWk949BfYqYWpyw4//78SiwOLgASyfrNszfMUNB2joKjvGUdwhHfaiMMFFwacVVoLR9A==} + engines: {node: '>=14.0.0'} + + ethers@6.13.2: + resolution: {integrity: sha512-9VkriTTed+/27BGuY1s0hf441kqwHJ1wtN2edksEtiRvXx+soxRX3iSXTfFqq2+YwrOqbDoTHjIhQnjJRlzKmg==} + engines: {node: '>=14.0.0'} + + ethjs-unit@0.1.6: + resolution: {integrity: sha512-/Sn9Y0oKl0uqQuvgFk/zQgR7aw1g36qX/jzSQ5lSwlO0GigPymk4eGQfeNTD03w1dPOqfz8V77Cy43jH56pagw==} + engines: {node: '>=6.5.0', npm: '>=3'} + + event-emitter@0.3.5: + resolution: {integrity: sha512-D9rRn9y7kLPnJ+hMq7S/nhvoKwwvVJahBi2BPmx3bvbsEdK3W9ii8cBSGjP+72/LnM4n6fo3+dkCX5FeTQruXA==} + + event-target-shim@5.0.1: + resolution: {integrity: sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ==} + engines: {node: '>=6'} + + eventemitter3@4.0.4: + resolution: {integrity: sha512-rlaVLnVxtxvoyLsQQFBx53YmXHDxRIzzTLbdfxqi4yocpSjAxXwkU0cScM5JgSKMqEhrZpnvQ2D9gjylR0AimQ==} + + eventemitter3@4.0.7: + resolution: {integrity: sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==} + + eventemitter3@5.0.1: + resolution: {integrity: sha512-GWkBvjiSZK87ELrYOSESUYeVIc9mvLLf/nXalMOS5dYrgZq9o5OVkbZAVM06CVxYsCwH9BDZFPlQTlPA1j4ahA==} + + events@3.3.0: + resolution: {integrity: sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==} + engines: {node: '>=0.8.x'} + + evp_bytestokey@1.0.3: + resolution: {integrity: sha512-/f2Go4TognH/KvCISP7OUsHn85hT9nUkxxA9BEWxFn+Oj9o8ZNLm/40hdlgSLyuOimsrTKLUMEorQexp/aPQeA==} + + execa@5.1.1: + resolution: {integrity: sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==} + engines: {node: '>=10'} + + expand-template@2.0.3: + resolution: {integrity: sha512-XYfuKMvj4O35f/pOXLObndIRvyQ+/+6AhODh+OKWj9S9498pHHn/IMszH+gt0fBCRWMNfk1ZSp5x3AifmnI2vg==} + engines: {node: '>=6'} + + express@4.18.2: + resolution: {integrity: sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==} + engines: {node: '>= 0.10.0'} + + ext@1.7.0: + resolution: {integrity: sha512-6hxeJYaL110a9b5TEJSj0gojyHQAmA2ch5Os+ySCiA1QGdS697XWY1pzsrSjqA9LDEEgdB/KypIlR59RcLuHYw==} + + extend@3.0.2: + resolution: {integrity: sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==} + + external-editor@3.1.0: + resolution: {integrity: sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==} + engines: {node: '>=4'} + + extsprintf@1.3.0: + resolution: {integrity: sha512-11Ndz7Nv+mvAC1j0ktTa7fAb0vLyGGX+rMHNBYQviQDGU0Hw7lhctJANqbPhu9nV9/izT/IntTgZ7Im/9LJs9g==} + engines: {'0': node >=0.6.0} + + fast-copy@3.0.2: + resolution: {integrity: sha512-dl0O9Vhju8IrcLndv2eU4ldt1ftXMqqfgN4H1cpmGV7P6jeB9FwpN9a2c8DPGE1Ys88rNUJVYDHq73CGAGOPfQ==} + + fast-deep-equal@3.1.3: + resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==} + + fast-glob@3.3.2: + resolution: {integrity: sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==} + engines: {node: '>=8.6.0'} + + fast-json-stable-stringify@2.1.0: + resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==} + + fast-levenshtein@2.0.6: + resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==} + + fast-redact@3.5.0: + resolution: {integrity: sha512-dwsoQlS7h9hMeYUq1W++23NDcBLV4KqONnITDV9DjfS3q1SgDGVrBdvvTLUotWtPSD7asWDV9/CmsZPy8Hf70A==} + engines: {node: '>=6'} + + fast-safe-stringify@2.1.1: + resolution: {integrity: sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==} + + fast-sha256@1.3.0: + resolution: {integrity: sha512-n11RGP/lrWEFI/bWdygLxhI+pVeo1ZYIVwvvPkW7azl/rOy+F3HYRZ2K5zeE9mmkhQppyv9sQFx0JM9UabnpPQ==} + + fastq@1.17.1: + resolution: {integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==} + + fdir@6.3.0: + resolution: {integrity: sha512-QOnuT+BOtivR77wYvCWHfGt9s4Pz1VIMbD463vegT5MLqNXy8rYFT/lPVEqf/bhYeT6qmqrNHhsX+rWwe3rOCQ==} + peerDependencies: + picomatch: ^3 || ^4 + peerDependenciesMeta: + picomatch: + optional: true + + fetch-blob@3.2.0: + resolution: {integrity: sha512-7yAQpD2UMJzLi1Dqv7qFYnPbaPx7ZfFK6PiIxQ4PfkGPyNyl2Ugx+a/umUonmKqjhM4DnfbMvdX6otXq83soQQ==} + engines: {node: ^12.20 || >= 14.13} + + fflate@0.8.2: + resolution: {integrity: sha512-cPJU47OaAoCbg0pBvzsgpTPhmhqI5eJjh/JIu8tPj5q+T7iLvW/JAYUqmE7KOB4R1ZyEhzBaIQpQpardBF5z8A==} + + fft-js@0.0.12: + resolution: {integrity: sha512-nLOa0/SYYnN2NPcLrI81UNSPxyg3q0sGiltfe9G1okg0nxs5CqAwtmaqPQdGcOryeGURaCoQx8Y4AUkhGTh7IQ==} + engines: {node: '>=0.12.0'} + + file-entry-cache@6.0.1: + resolution: {integrity: sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==} + engines: {node: ^10.12.0 || >=12.0.0} + + file-uri-to-path@1.0.0: + resolution: {integrity: sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw==} + + fill-range@7.0.1: + resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==} + engines: {node: '>=8'} + + fill-range@7.1.1: + resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==} + engines: {node: '>=8'} + + finalhandler@1.2.0: + resolution: {integrity: sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==} + engines: {node: '>= 0.8'} + + find-up@5.0.0: + resolution: {integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==} + engines: {node: '>=10'} + + flat-cache@3.2.0: + resolution: {integrity: sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==} + engines: {node: ^10.12.0 || >=12.0.0} + + flat@5.0.2: + resolution: {integrity: sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ==} + hasBin: true + + flatted@3.3.1: + resolution: {integrity: sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==} + + follow-redirects@1.15.6: + resolution: {integrity: sha512-wWN62YITEaOpSK584EZXJafH1AGpO8RVgElfkuXbTOrPX4fIfOyEpW/CsiNd8JdYrAoOvafRTOEnvsO++qCqFA==} + engines: {node: '>=4.0'} + peerDependencies: + debug: '*' + peerDependenciesMeta: + debug: + optional: true + + for-each@0.3.3: + resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==} + + foreground-child@3.2.1: + resolution: {integrity: sha512-PXUUyLqrR2XCWICfv6ukppP96sdFwWbNEnfEMt7jNsISjMsvaLNinAHNDYyvkyU+SZG2BTSbT5NjG+vZslfGTA==} + engines: {node: '>=14'} + + forever-agent@0.6.1: + resolution: {integrity: sha512-j0KLYPhm6zeac4lz3oJ3o65qvgQCcPubiyotZrXqEaG4hNagNYO8qdlUrX5vwqv9ohqeT/Z3j6+yW067yWWdUw==} + + form-data-encoder@1.7.1: + resolution: {integrity: sha512-EFRDrsMm/kyqbTQocNvRXMLjc7Es2Vk+IQFx/YW7hkUH1eBl4J1fqiP34l74Yt0pFLCNpc06fkbVk00008mzjg==} + + form-data@2.3.3: + resolution: {integrity: sha512-1lLKB2Mu3aGP1Q/2eCOx0fNbRMe7XdwktwOruhfqqd0rIJWwN4Dh+E3hrPSlDCXnSR7UtZ1N38rVXm+6+MEhJQ==} + engines: {node: '>= 0.12'} + + form-data@4.0.0: + resolution: {integrity: sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==} + engines: {node: '>= 6'} + + formdata-polyfill@4.0.10: + resolution: {integrity: sha512-buewHzMvYL29jdeQTVILecSaZKnt/RJWjoZCF5OW60Z67/GmSLBkOFM7qh1PI3zFNtJbaZL5eQu1vLfazOwj4g==} + engines: {node: '>=12.20.0'} + + forwarded@0.2.0: + resolution: {integrity: sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==} + engines: {node: '>= 0.6'} + + fraction.js@4.3.7: + resolution: {integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==} + + fresh@0.5.2: + resolution: {integrity: sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==} + engines: {node: '>= 0.6'} + + fs-constants@1.0.0: + resolution: {integrity: sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==} + + fs-extra@11.2.0: + resolution: {integrity: sha512-PmDi3uwK5nFuXh7XDTlVnS17xJS7vW36is2+w3xcv8SVxiB4NyATf4ctkVY5bkSjX0Y4nbvZCq1/EjtEyr9ktw==} + engines: {node: '>=14.14'} + + fs-extra@4.0.3: + resolution: {integrity: sha512-q6rbdDd1o2mAnQreO7YADIxf/Whx4AHBiRf6d+/cVT8h44ss+lHgxf1FemcqDnQt9X3ct4McHr+JMGlYSsK7Cg==} + + fs-minipass@1.2.7: + resolution: {integrity: sha512-GWSSJGFy4e9GUeCcbIkED+bgAoFyj7XF1mV8rma3QW4NIqX9Kyx79N/PF61H5udOV3aY1IaMLs6pGbH71nlCTA==} + + fs-minipass@2.1.0: + resolution: {integrity: sha512-V/JgOLFCS+R6Vcq0slCuaeWEdNC3ouDlJMNIsacH2VtALiu9mV4LPrHc5cDl8k5aw6J8jwgWWpiTo5RYhmIzvg==} + engines: {node: '>= 8'} + + fs.realpath@1.0.0: + resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==} + + fsevents@2.3.3: + resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==} + engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0} + os: [darwin] + + function-bind@1.1.2: + resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==} + + functional-red-black-tree@1.0.1: + resolution: {integrity: sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==} + + functions-have-names@1.2.3: + resolution: {integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==} + + gauge@4.0.4: + resolution: {integrity: sha512-f9m+BEN5jkg6a0fZjleidjN51VE1X+mPFQ2DJ0uv1V39oCLCbsGe6yjbBnp7eK7z/+GAon99a3nHuqbuuthyPg==} + engines: {node: ^12.13.0 || ^14.15.0 || >=16.0.0} + deprecated: This package is no longer supported. + + get-caller-file@2.0.5: + resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==} + engines: {node: 6.* || 8.* || >= 10.*} + + get-func-name@2.0.2: + resolution: {integrity: sha512-8vXOvuE167CtIc3OyItco7N/dpRtBbYOsPsXCz7X/PMnlGjYjSGuZJgM1Y7mmew7BKf9BqvLX2tnOVy1BBUsxQ==} + + get-intrinsic@1.2.2: + resolution: {integrity: sha512-0gSo4ml/0j98Y3lngkFEot/zhiCeWsbYIlZ+uZOVgzLyLaUw7wxUL+nCTP0XJvJg1AXulJRI3UJi8GsbDuxdGA==} + + get-intrinsic@1.2.4: + resolution: {integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==} + engines: {node: '>= 0.4'} + + get-port@7.1.0: + resolution: {integrity: sha512-QB9NKEeDg3xxVwCCwJQ9+xycaz6pBB6iQ76wiWMl1927n0Kir6alPiP+yuiICLLU4jpMe08dXfpebuQppFA2zw==} + engines: {node: '>=16'} + + get-stream@5.2.0: + resolution: {integrity: sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==} + engines: {node: '>=8'} + + get-stream@6.0.1: + resolution: {integrity: sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==} + engines: {node: '>=10'} + + get-tsconfig@4.7.5: + resolution: {integrity: sha512-ZCuZCnlqNzjb4QprAzXKdpp/gh6KTxSJuw3IBsPnV/7fV4NxC9ckB+vPTt8w7fJA0TaSD7c55BR47JD6MEDyDw==} + + getpass@0.1.7: + resolution: {integrity: sha512-0fzj9JxOLfJ+XGLhR8ze3unN0KZCgZwiSSDz168VERjK8Wl8kVSdcu2kspd4s4wtAa1y/qrVRiAA0WclVsu0ng==} + + github-from-package@0.0.0: + resolution: {integrity: sha512-SyHy3T1v2NUXn29OsWdxmK6RwHD+vkj3v8en8AOBZ1wBQ/hCAQ5bAQTD02kW4W9tUp/3Qh6J8r9EvntiyCmOOw==} + + glob-parent@5.1.2: + resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==} + engines: {node: '>= 6'} + + glob-parent@6.0.2: + resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==} + engines: {node: '>=10.13.0'} + + glob@10.4.2: + resolution: {integrity: sha512-GwMlUF6PkPo3Gk21UxkCohOv0PLcIXVtKyLlpEI28R/cO/4eNOdmLk3CMW1wROV/WR/EsZOWAfBbBOqYvs88/w==} + engines: {node: '>=16 || 14 >=14.18'} + hasBin: true + + glob@7.2.0: + resolution: {integrity: sha512-lmLf6gtyrPq8tTjSmrO94wBeQbFR3HbLHbuyD69wuyQkImp2hWqMGB47OX65FBkPffO641IP9jWa1z4ivqG26Q==} + + glob@7.2.3: + resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==} + deprecated: Glob versions prior to v9 are no longer supported + + glob@8.1.0: + resolution: {integrity: sha512-r8hpEjiQEYlF2QU0df3dS+nxxSIreXQS1qRhMJM0Q5NDdR386C7jb7Hwwod8Fgiuex+k0GFjgft18yvxm5XoCQ==} + engines: {node: '>=12'} + deprecated: Glob versions prior to v9 are no longer supported + + global-agent@3.0.0: + resolution: {integrity: sha512-PT6XReJ+D07JvGoxQMkT6qji/jVNfX/h364XHZOWeRzy64sSFr+xJ5OX7LI3b4MPQzdL4H8Y8M0xzPpsVMwA8Q==} + engines: {node: '>=10.0'} + + global@4.4.0: + resolution: {integrity: sha512-wv/LAoHdRE3BeTGz53FAamhGlPLhlssK45usmGFThIi4XqnBmjKQ16u+RNbP7WvigRZDxUsM0J3gcQ5yicaL0w==} + + globals@13.24.0: + resolution: {integrity: sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==} + engines: {node: '>=8'} + + globalthis@1.0.4: + resolution: {integrity: sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==} + engines: {node: '>= 0.4'} + + globby@11.1.0: + resolution: {integrity: sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==} + engines: {node: '>=10'} + + gopd@1.0.1: + resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==} + + got@11.8.6: + resolution: {integrity: sha512-6tfZ91bOr7bOXnK7PRDCGBLa1H4U080YHNaAQ2KsMGlLEzRbk44nsZF2E1IeRc3vtJHPVbKCYgdFbaGO2ljd8g==} + engines: {node: '>=10.19.0'} + + got@12.1.0: + resolution: {integrity: sha512-hBv2ty9QN2RdbJJMK3hesmSkFTjVIHyIDDbssCKnSmq62edGgImJWD10Eb1k77TiV1bxloxqcFAVK8+9pkhOig==} + engines: {node: '>=14.16'} + + graceful-fs@4.2.10: + resolution: {integrity: sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==} + + graceful-fs@4.2.11: + resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==} + + graceful-readlink@1.0.1: + resolution: {integrity: sha512-8tLu60LgxF6XpdbK8OW3FA+IfTNBn1ZHGHKF4KQbEeSkajYw5PlYJcKluntgegDPTg8UkHjpet1T82vk6TQ68w==} + + graphemer@1.4.0: + resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==} + + har-schema@2.0.0: + resolution: {integrity: sha512-Oqluz6zhGX8cyRaTQlFMPw80bSJVG2x/cFb8ZPhUILGgHka9SsokCCOQgpveePerqidZOrT14ipqfJb7ILcW5Q==} + engines: {node: '>=4'} + + har-validator@5.1.5: + resolution: {integrity: sha512-nmT2T0lljbxdQZfspsno9hgrG3Uir6Ks5afism62poxqBM6sDnMEuPmzTq8XN0OEwqKLLdh1jQI3qyE66Nzb3w==} + engines: {node: '>=6'} + deprecated: this library is no longer supported + + has-bigints@1.0.2: + resolution: {integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==} + + has-flag@4.0.0: + resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==} + engines: {node: '>=8'} + + has-property-descriptors@1.0.1: + resolution: {integrity: sha512-VsX8eaIewvas0xnvinAe9bw4WfIeODpGYikiWYLH+dma0Jw6KHYqWiWfhQlgOVK8D6PvjubK5Uc4P0iIhIcNVg==} + + has-property-descriptors@1.0.2: + resolution: {integrity: sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==} + + has-proto@1.0.1: + resolution: {integrity: sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==} + engines: {node: '>= 0.4'} + + has-proto@1.0.3: + resolution: {integrity: sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==} + engines: {node: '>= 0.4'} + + has-symbols@1.0.3: + resolution: {integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==} + engines: {node: '>= 0.4'} + + has-tostringtag@1.0.2: + resolution: {integrity: sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==} + engines: {node: '>= 0.4'} + + has-unicode@2.0.1: + resolution: {integrity: sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ==} + + hash-base@3.1.0: + resolution: {integrity: sha512-1nmYp/rhMDiE7AYkDw+lLwlAzz0AntGIe51F3RfFfEqyQ3feY2eI/NcwC6umIQVOASPMsWJLJScWKSSvzL9IVA==} + engines: {node: '>=4'} + + hash.js@1.1.7: + resolution: {integrity: sha512-taOaskGt4z4SOANNseOviYDvjEJinIkRgmp7LbKP2YTTmVxWBl87s/uzK9r+44BclBSp2X7K1hqeNfz9JbBeXA==} + + hasown@2.0.0: + resolution: {integrity: sha512-vUptKVTpIJhcczKBbgnS+RtcuYMB8+oNzPK2/Hp3hanz8JmpATdmmgLgSaadVREkDm+e2giHwY3ZRkyjSIDDFA==} + engines: {node: '>= 0.4'} + + hasown@2.0.2: + resolution: {integrity: sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==} + engines: {node: '>= 0.4'} + + he@1.2.0: + resolution: {integrity: sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==} + hasBin: true + + help-me@5.0.0: + resolution: {integrity: sha512-7xgomUX6ADmcYzFik0HzAxh/73YlKR9bmFzf51CZwR+b6YtzU2m0u49hQCqV6SvlqIqsaxovfwdvbnsw3b/zpg==} + + highlight.js@10.7.3: + resolution: {integrity: sha512-tzcUFauisWKNHaRkN4Wjl/ZA07gENAjFl3J/c480dprkGTg5EQstgaNFqBfUqCq54kZRIEcreTsAgF/m2quD7A==} + + hmac-drbg@1.0.1: + resolution: {integrity: sha512-Tti3gMqLdZfhOQY1Mzf/AanLiqh1WTiJgEj26ZuYQ9fbkLomzGchCws4FyrSd4VkpBfiNhaE1On+lOz894jvXg==} + + html-encoding-sniffer@4.0.0: + resolution: {integrity: sha512-Y22oTqIU4uuPgEemfz7NDJz6OeKf12Lsu+QC+s3BVpda64lTiMYCyGwg5ki4vFxkMwQdeZDl2adZoqUgdFuTgQ==} + engines: {node: '>=18'} + + http-cache-semantics@4.1.1: + resolution: {integrity: sha512-er295DKPVsV82j5kw1Gjt+ADA/XYHsajl82cGNQG2eyoPkvgUhX+nDIyelzhIWbbsXP39EHcI6l5tYs2FYqYXQ==} + + http-errors@2.0.0: + resolution: {integrity: sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==} + engines: {node: '>= 0.8'} + + http-https@1.0.0: + resolution: {integrity: sha512-o0PWwVCSp3O0wS6FvNr6xfBCHgt0m1tvPLFOCc2iFDKTRAXhB7m8klDf7ErowFH8POa6dVdGatKU5I1YYwzUyg==} + + http-proxy-agent@4.0.1: + resolution: {integrity: sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==} + engines: {node: '>= 6'} + + http-proxy-agent@7.0.2: + resolution: {integrity: sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig==} + engines: {node: '>= 14'} + + http-signature@1.2.0: + resolution: {integrity: sha512-CAbnr6Rz4CYQkLYUtSNXxQPUH2gK8f3iWexVlsnMeD+GjlsQ0Xsy1cOX+mN3dtxYomRy21CiOzU8Uhw6OwncEQ==} + engines: {node: '>=0.8', npm: '>=1.3.7'} + + http2-wrapper@1.0.3: + resolution: {integrity: sha512-V+23sDMr12Wnz7iTcDeJr3O6AIxlnvT/bmaAAAP/Xda35C90p9599p0F1eHR/N1KILWSoWVAiOMFjBBXaXSMxg==} + engines: {node: '>=10.19.0'} + + http2-wrapper@2.2.1: + resolution: {integrity: sha512-V5nVw1PAOgfI3Lmeaj2Exmeg7fenjhRUgz1lPSezy1CuhPYbgQtbQj4jZfEAEMlaL+vupsvhjqCyjzob0yxsmQ==} + engines: {node: '>=10.19.0'} + + https-proxy-agent@5.0.1: + resolution: {integrity: sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==} + engines: {node: '>= 6'} + + https-proxy-agent@7.0.5: + resolution: {integrity: sha512-1e4Wqeblerz+tMKPIq2EMGiiWW1dIjZOksyHWSUm1rmuvw/how9hBHZ38lAGj5ID4Ik6EdkOw7NmWPy6LAwalw==} + engines: {node: '>= 14'} + + human-signals@2.1.0: + resolution: {integrity: sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==} + engines: {node: '>=10.17.0'} + + humanize-ms@1.2.1: + resolution: {integrity: sha512-Fl70vYtsAFb/C06PTS9dZBo7ihau+Tu/DNCk/OyHhea07S+aeMWpFFkUaXRa8fI+ScZbEI8dfSxwY7gxZ9SAVQ==} + + iconv-lite@0.4.24: + resolution: {integrity: sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==} + engines: {node: '>=0.10.0'} + + iconv-lite@0.6.3: + resolution: {integrity: sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==} + engines: {node: '>=0.10.0'} + + idb@8.0.0: + resolution: {integrity: sha512-l//qvlAKGmQO31Qn7xdzagVPPaHTxXx199MhrAFuVBTPqydcPYBWjkrbv4Y0ktB+GmWOiwHl237UUOrLmQxLvw==} + + idna-uts46-hx@2.3.1: + resolution: {integrity: sha512-PWoF9Keq6laYdIRwwCdhTPl60xRqAloYNMQLiyUnG42VjT53oW07BXIRM+NK7eQjzXjAk2gUvX9caRxlnF9TAA==} + engines: {node: '>=4.0.0'} + + ieee754@1.2.1: + resolution: {integrity: sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==} + + ignore@5.3.1: + resolution: {integrity: sha512-5Fytz/IraMjqpwfd34ke28PTVMjZjJG2MPn5t7OE4eUCUNf8BAa7b5WUS9/Qvr6mwOQS7Mk6vdsMno5he+T8Xw==} + engines: {node: '>= 4'} + + immediate@3.2.3: + resolution: {integrity: sha512-RrGCXRm/fRVqMIhqXrGEX9rRADavPiDFSoMb/k64i9XMk8uH4r/Omi5Ctierj6XzNecwDbO4WuFbDD1zmpl3Tg==} + + immediate@3.3.0: + resolution: {integrity: sha512-HR7EVodfFUdQCTIeySw+WDRFJlPcLOJbXfwwZ7Oom6tjsvZ3bOkCDJHehQC3nxJrv7+f9XecwazynjU8e4Vw3Q==} + + import-fresh@3.3.0: + resolution: {integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==} + engines: {node: '>=6'} + + imurmurhash@0.1.4: + resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==} + engines: {node: '>=0.8.19'} + + indent-string@4.0.0: + resolution: {integrity: sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==} + engines: {node: '>=8'} + + indent-string@5.0.0: + resolution: {integrity: sha512-m6FAo/spmsW2Ab2fU35JTYwtOKa2yAwXSwgjSv1TJzh4Mh7mC3lzAOVLBprb72XsTrgkEIsl7YrFNAiDiRhIGg==} + engines: {node: '>=12'} + + infer-owner@1.0.4: + resolution: {integrity: sha512-IClj+Xz94+d7irH5qRyfJonOdfTzuDaifE6ZPWfx0N0+/ATZCbuTPq2prFl526urkQd90WyUKIh1DfBQ2hMz9A==} + + inflight@1.0.6: + resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==} + + inherits@2.0.4: + resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==} + + ini@1.3.8: + resolution: {integrity: sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==} + + inquirer-press-to-continue@1.2.0: + resolution: {integrity: sha512-HdKOgEAydYhI3OKLy5S4LMi7a/AHJjPzF06mHqbdVxlTmHOaytQVBaVbQcSytukD70K9FYLhYicNOPuNjFiWVQ==} + peerDependencies: + inquirer: '>=8.0.0 <10.0.0' + + inquirer@9.3.3: + resolution: {integrity: sha512-Z7lAi4XUBYRa6NPB0k+0+3dyhnyp2sAqVeiyogHyue93DvE9dPxp7oi7Gg8/KfWXSrGEsyBvZbl4PdBpS7ZKkg==} + engines: {node: '>=18'} + + internal-slot@1.0.7: + resolution: {integrity: sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g==} + engines: {node: '>= 0.4'} + + ip-address@9.0.5: + resolution: {integrity: sha512-zHtQzGojZXTwZTHQqra+ETKd4Sn3vgi7uBmlPoXVWZqYvuKmtI0l/VZTjqGmJY9x88GGOaZ9+G9ES8hC4T4X8g==} + engines: {node: '>= 12'} + + ip-regex@4.3.0: + resolution: {integrity: sha512-B9ZWJxHHOHUhUjCPrMpLD4xEq35bUTClHM1S6CBU5ixQnkZmwipwgc96vAd7AAGM9TGHvJR+Uss+/Ak6UphK+Q==} + engines: {node: '>=8'} + + ipaddr.js@1.9.1: + resolution: {integrity: sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==} + engines: {node: '>= 0.10'} + + is-accessor-descriptor@1.0.1: + resolution: {integrity: sha512-YBUanLI8Yoihw923YeFUS5fs0fF2f5TSFTNiYAAzhhDscDa3lEqYuz1pDOEP5KvX94I9ey3vsqjJcLVFVU+3QA==} + engines: {node: '>= 0.10'} + + is-arguments@1.1.1: + resolution: {integrity: sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA==} + engines: {node: '>= 0.4'} + + is-array-buffer@3.0.4: + resolution: {integrity: sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw==} + engines: {node: '>= 0.4'} + + is-bigint@1.0.4: + resolution: {integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==} + + is-binary-path@2.1.0: + resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==} + engines: {node: '>=8'} + + is-boolean-object@1.1.2: + resolution: {integrity: sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==} + engines: {node: '>= 0.4'} + + is-buffer@1.1.6: + resolution: {integrity: sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==} + + is-callable@1.2.7: + resolution: {integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==} + engines: {node: '>= 0.4'} + + is-data-descriptor@1.0.1: + resolution: {integrity: sha512-bc4NlCDiCr28U4aEsQ3Qs2491gVq4V8G7MQyws968ImqjKuYtTJXrl7Vq7jsN7Ly/C3xj5KWFrY7sHNeDkAzXw==} + engines: {node: '>= 0.4'} + + is-date-object@1.0.5: + resolution: {integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==} + engines: {node: '>= 0.4'} + + is-descriptor@1.0.3: + resolution: {integrity: sha512-JCNNGbwWZEVaSPtS45mdtrneRWJFp07LLmykxeFV5F6oBvNF8vHSfJuJgoT472pSfk+Mf8VnlrspaFBHWM8JAw==} + engines: {node: '>= 0.4'} + + is-extglob@2.1.1: + resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==} + engines: {node: '>=0.10.0'} + + is-fullwidth-code-point@3.0.0: + resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==} + engines: {node: '>=8'} + + is-function@1.0.2: + resolution: {integrity: sha512-lw7DUp0aWXYg+CBCN+JKkcE0Q2RayZnSvnZBlwgxHBQhqt5pZNVy4Ri7H9GmmXkdu7LUthszM+Tor1u/2iBcpQ==} + + is-generator-function@1.0.10: + resolution: {integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==} + engines: {node: '>= 0.4'} + + is-glob@4.0.3: + resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==} + engines: {node: '>=0.10.0'} + + is-hex-prefixed@1.0.0: + resolution: {integrity: sha512-WvtOiug1VFrE9v1Cydwm+FnXd3+w9GaeVUss5W4v/SLy3UW00vP+6iNF2SdnfiBoLy4bTqVdkftNGTUeOFVsbA==} + engines: {node: '>=6.5.0', npm: '>=3'} + + is-interactive@1.0.0: + resolution: {integrity: sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w==} + engines: {node: '>=8'} + + is-interactive@2.0.0: + resolution: {integrity: sha512-qP1vozQRI+BMOPcjFzrjXuQvdak2pHNUMZoeG2eRbiSqyvbEf/wQtEOTOX1guk6E3t36RkaqiSt8A/6YElNxLQ==} + engines: {node: '>=12'} + + is-lambda@1.0.1: + resolution: {integrity: sha512-z7CMFGNrENq5iFB9Bqo64Xk6Y9sg+epq1myIcdHaGnbMTYOxvzsEtdYqQUylB7LxfkvgrrjP32T6Ywciio9UIQ==} + + is-map@2.0.3: + resolution: {integrity: sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==} + engines: {node: '>= 0.4'} + + is-number-object@1.0.7: + resolution: {integrity: sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==} + engines: {node: '>= 0.4'} + + is-number@3.0.0: + resolution: {integrity: sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==} + engines: {node: '>=0.10.0'} + + is-number@7.0.0: + resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==} + engines: {node: '>=0.12.0'} + + is-path-inside@3.0.3: + resolution: {integrity: sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==} + engines: {node: '>=8'} + + is-plain-obj@2.1.0: + resolution: {integrity: sha512-YWnfyRwxL/+SsrWYfOpUtz5b3YD+nyfkHvjbcanzk8zgyO4ASD67uVMRt8k5bM4lLMDnXfriRhOpemw+NfT1eA==} + engines: {node: '>=8'} + + is-potential-custom-element-name@1.0.1: + resolution: {integrity: sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==} + + is-promise@2.2.2: + resolution: {integrity: sha512-+lP4/6lKUBfQjZ2pdxThZvLUAafmZb8OAxFb8XXtiQmS35INgr85hdOGoEs124ez1FCnZJt6jau/T+alh58QFQ==} + + is-regex@1.1.4: + resolution: {integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==} + engines: {node: '>= 0.4'} + + is-set@2.0.3: + resolution: {integrity: sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==} + engines: {node: '>= 0.4'} + + is-shared-array-buffer@1.0.3: + resolution: {integrity: sha512-nA2hv5XIhLR3uVzDDfCIknerhx8XUKnstuOERPNNIinXG7v9u+ohXF67vxm4TPTEPU6lm61ZkwP3c9PCB97rhg==} + engines: {node: '>= 0.4'} + + is-stream@2.0.1: + resolution: {integrity: sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==} + engines: {node: '>=8'} + + is-string@1.0.7: + resolution: {integrity: sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==} + engines: {node: '>= 0.4'} + + is-symbol@1.0.4: + resolution: {integrity: sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==} + engines: {node: '>= 0.4'} + + is-typed-array@1.1.13: + resolution: {integrity: sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw==} + engines: {node: '>= 0.4'} + + is-typedarray@1.0.0: + resolution: {integrity: sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==} + + is-unicode-supported@0.1.0: + resolution: {integrity: sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==} + engines: {node: '>=10'} + + is-unicode-supported@1.3.0: + resolution: {integrity: sha512-43r2mRvz+8JRIKnWJ+3j8JtjRKZ6GmjzfaE/qiBJnikNnYv/6bagRJ1kUhNk8R5EX/GkobD+r+sfxCPJsiKBLQ==} + engines: {node: '>=12'} + + is-weakmap@2.0.2: + resolution: {integrity: sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==} + engines: {node: '>= 0.4'} + + is-weakset@2.0.3: + resolution: {integrity: sha512-LvIm3/KWzS9oRFHugab7d+M/GcBXuXX5xZkzPmN+NxihdQlZUQ4dWuSV1xR/sq6upL1TJEDrfBgRepHFdBtSNQ==} + engines: {node: '>= 0.4'} + + isarray@2.0.5: + resolution: {integrity: sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==} + + isexe@2.0.0: + resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==} + + iso-random-stream@2.0.2: + resolution: {integrity: sha512-yJvs+Nnelic1L2vH2JzWvvPQFA4r7kSTnpST/+LkAQjSz0hos2oqLD+qIVi9Qk38Hoe7mNDt3j0S27R58MVjLQ==} + engines: {node: '>=10'} + + isomorphic-ws@5.0.0: + resolution: {integrity: sha512-muId7Zzn9ywDsyXgTIafTry2sV3nySZeUDe6YedVd1Hvuuep5AsIlqK+XefWpYTyJG5e503F2xIuT2lcU6rCSw==} + peerDependencies: + ws: '*' + + isows@1.0.4: + resolution: {integrity: sha512-hEzjY+x9u9hPmBom9IIAqdJCwNLax+xrPb51vEPpERoFlIxgmZcHzsT5jKG06nvInKOBGvReAVz80Umed5CczQ==} + peerDependencies: + ws: '*' + + isstream@0.1.2: + resolution: {integrity: sha512-Yljz7ffyPbrLpLngrMtZ7NduUgVvi6wG9RJ9IUcyCd59YQ911PBJphODUcbOVbqYfxe1wuYf/LJ8PauMRwsM/g==} + + jackspeak@3.4.0: + resolution: {integrity: sha512-JVYhQnN59LVPFCEcVa2C3CrEKYacvjRfqIQl+h8oi91aLYQVWRYbxjPcv1bUiUy/kLmQaANrYfNMCO3kuEDHfw==} + engines: {node: '>=14'} + + javascript-natural-sort@0.7.1: + resolution: {integrity: sha512-nO6jcEfZWQXDhOiBtG2KvKyEptz7RVbpGP4vTD2hLBdmNQSsCiicO2Ioinv6UI4y9ukqnBpy+XZ9H6uLNgJTlw==} + + jdenticon@3.2.0: + resolution: {integrity: sha512-z6Iq3fTODUMSOiR2nNYrqigS6Y0GvdXfyQWrUby7htDHvX7GNEwaWR4hcaL+FmhEgBe08Xkup/BKxXQhDJByPA==} + engines: {node: '>=6.4.0'} + hasBin: true + + joycon@3.1.1: + resolution: {integrity: sha512-34wB/Y7MW7bzjKRjUKTa46I2Z7eV62Rkhva+KkopW7Qvv/OSWBqvkSY7vusOPrNuZcUG3tApvdVgNB8POj3SPw==} + engines: {node: '>=10'} + + js-sha3@0.5.7: + resolution: {integrity: sha512-GII20kjaPX0zJ8wzkTbNDYMY7msuZcTWk8S5UOh6806Jq/wz1J8/bnr8uGU0DAUmYDjj2Mr4X1cW8v/GLYnR+g==} + + js-sha3@0.8.0: + resolution: {integrity: sha512-gF1cRrHhIzNfToc802P800N8PpXS+evLLXfsVpowqmAFR9uwbi89WvXg2QspOmXL8QL86J4T1EpFu+yUkwJY3Q==} + + js-tokens@4.0.0: + resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==} + + js-yaml@4.1.0: + resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==} + hasBin: true + + jsbn@0.1.1: + resolution: {integrity: sha512-UVU9dibq2JcFWxQPA6KCqj5O42VOmAY3zQUfEKxU0KpTGXwNoCjkX1e13eHNvw/xPynt6pU0rZ1htjWTNTSXsg==} + + jsbn@1.1.0: + resolution: {integrity: sha512-4bYVV3aAMtDTTu4+xsDYa6sy9GyJ69/amsu9sYF2zqjiEoZA5xJi3BrfX3uY+/IekIu7MwdObdbDWpoZdBv3/A==} + + jsdom@23.2.0: + resolution: {integrity: sha512-L88oL7D/8ufIES+Zjz7v0aes+oBMh2Xnh3ygWvL0OaICOomKEPKuPnIfBJekiXr+BHbbMjrWn/xqrDQuxFTeyA==} + engines: {node: '>=18'} + peerDependencies: + canvas: ^2.11.2 + peerDependenciesMeta: + canvas: + optional: true + + json-bigint@1.0.0: + resolution: {integrity: sha512-SiPv/8VpZuWbvLSMtTDU8hEfrZWg/mH/nV/b4o0CYbSxu1UIQPLdwKOCIyLQX+VIPO5vrLX3i8qtqFyhdPSUSQ==} + + json-buffer@3.0.1: + resolution: {integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==} + + json-schema-traverse@0.4.1: + resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==} + + json-schema@0.4.0: + resolution: {integrity: sha512-es94M3nTIfsEPisRafak+HDLfHXnKBhV3vU5eqPcS3flIWqcxJWgXHXiey3YrpaNsanY5ei1VoYEbOzijuq9BA==} + + json-stable-stringify-without-jsonify@1.0.1: + resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==} + + json-stable-stringify@1.1.1: + resolution: {integrity: sha512-SU/971Kt5qVQfJpyDveVhQ/vya+5hvrjClFOcr8c0Fq5aODJjMwutrOfCU+eCnVD5gpx1Q3fEqkyom77zH1iIg==} + engines: {node: '>= 0.4'} + + json-stringify-safe@5.0.1: + resolution: {integrity: sha512-ZClg6AaYvamvYEE82d3Iyd3vSSIjQ+odgjaTzRuO3s7toCdFKczob2i0zCh7JE8kWn17yvAWhUVxvqGwUalsRA==} + + jsonc-parser@3.3.1: + resolution: {integrity: sha512-HUgH65KyejrUFPvHFPbqOY0rsFip3Bo5wb4ngvdi1EpCYWUQDC5V+Y7mZws+DLkr4M//zQJoanu1SP+87Dv1oQ==} + + jsondiffpatch@0.5.0: + resolution: {integrity: sha512-Quz3MvAwHxVYNXsOByL7xI5EB2WYOeFswqaHIA3qOK3isRWTxiplBEocmmru6XmxDB2L7jDNYtYA4FyimoAFEw==} + engines: {node: '>=8.17.0'} + hasBin: true + bundledDependencies: [] + + jsonfile@4.0.0: + resolution: {integrity: sha512-m6F1R3z8jjlf2imQHS2Qez5sjKWQzbuuhuJ/FKYFRZvPE3PuHcSMVZzfsLhGVOkfd20obL5SWEBew5ShlquNxg==} + + jsonfile@6.1.0: + resolution: {integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==} + + jsonify@0.0.1: + resolution: {integrity: sha512-2/Ki0GcmuqSrgFyelQq9M05y7PS0mEwuIzrf3f1fPqkVDVRvZrPZtVSMHxdgo8Aq0sxAOb/cr2aqqA3LeWHVPg==} + + jsonparse@1.3.1: + resolution: {integrity: sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==} + engines: {'0': node >= 0.2.0} + + jsprim@1.4.2: + resolution: {integrity: sha512-P2bSOMAc/ciLz6DzgjVlGJP9+BrJWu5UDGK70C2iweC5QBIeFf0ZXRvGjEj2uYgrY2MkAAhsSWHDWlFtEroZWw==} + engines: {node: '>=0.6.0'} + + keccak@3.0.4: + resolution: {integrity: sha512-3vKuW0jV8J3XNTzvfyicFR5qvxrSAGl7KIhvgOu5cmWwM7tZRj3fMbj/pfIf4be7aznbc+prBWGjywox/g2Y6Q==} + engines: {node: '>=10.0.0'} + + keyv@4.5.4: + resolution: {integrity: sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==} + + kind-of@3.2.2: + resolution: {integrity: sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==} + engines: {node: '>=0.10.0'} + + level-codec@9.0.2: + resolution: {integrity: sha512-UyIwNb1lJBChJnGfjmO0OR+ezh2iVu1Kas3nvBS/BzGnx79dv6g7unpKIDNPMhfdTEGoc7mC8uAu51XEtX+FHQ==} + engines: {node: '>=6'} + + level-concat-iterator@2.0.1: + resolution: {integrity: sha512-OTKKOqeav2QWcERMJR7IS9CUo1sHnke2C0gkSmcR7QuEtFNLLzHQAvnMw8ykvEcv0Qtkg0p7FOwP1v9e5Smdcw==} + engines: {node: '>=6'} + + level-errors@2.0.1: + resolution: {integrity: sha512-UVprBJXite4gPS+3VznfgDSU8PTRuVX0NXwoWW50KLxd2yw4Y1t2JUR5In1itQnudZqRMT9DlAM3Q//9NCjCFw==} + engines: {node: '>=6'} + + level-iterator-stream@4.0.2: + resolution: {integrity: sha512-ZSthfEqzGSOMWoUGhTXdX9jv26d32XJuHz/5YnuHZzH6wldfWMOVwI9TBtKcya4BKTyTt3XVA0A3cF3q5CY30Q==} + engines: {node: '>=6'} + + level-mem@5.0.1: + resolution: {integrity: sha512-qd+qUJHXsGSFoHTziptAKXoLX87QjR7v2KMbqncDXPxQuCdsQlzmyX+gwrEHhlzn08vkf8TyipYyMmiC6Gobzg==} + engines: {node: '>=6'} + + level-packager@5.1.1: + resolution: {integrity: sha512-HMwMaQPlTC1IlcwT3+swhqf/NUO+ZhXVz6TY1zZIIZlIR0YSn8GtAAWmIvKjNY16ZkEg/JcpAuQskxsXqC0yOQ==} + engines: {node: '>=6'} + + level-supports@1.0.1: + resolution: {integrity: sha512-rXM7GYnW8gsl1vedTJIbzOrRv85c/2uCMpiiCzO2fndd06U/kUXEEU9evYn4zFggBOg36IsBW8LzqIpETwwQzg==} + engines: {node: '>=6'} + + level-ws@2.0.0: + resolution: {integrity: sha512-1iv7VXx0G9ec1isqQZ7y5LmoZo/ewAsyDHNA8EFDW5hqH2Kqovm33nSFkSdnLLAK+I5FlT+lo5Cw9itGe+CpQA==} + engines: {node: '>=6'} + + levelup@4.4.0: + resolution: {integrity: sha512-94++VFO3qN95cM/d6eBXvd894oJE0w3cInq9USsyQzzoJxmiYzPAocNcuGCPGGjoXqDVJcr3C1jzt1TSjyaiLQ==} + engines: {node: '>=6'} + + levn@0.4.1: + resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==} + engines: {node: '>= 0.8.0'} + + libp2p-crypto@0.21.2: + resolution: {integrity: sha512-EXFrhSpiHtJ+/L8xXDvQNK5VjUMG51u878jzZcaT5XhuN/zFg6PWJFnl/qB2Y2j7eMWnvCRP7Kp+ua2H36cG4g==} + engines: {node: '>=12.0.0'} + + locate-path@6.0.0: + resolution: {integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==} + engines: {node: '>=10'} + + lodash.camelcase@4.3.0: + resolution: {integrity: sha512-TwuEnCnxbc3rAvhf/LbG7tJUDzhqXyFnv3dtzLOPgCG/hODL7WFnsbwktkD7yUV0RrreP/l1PALq/YSg6VvjlA==} + + lodash.merge@4.6.2: + resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==} + + lodash@4.17.21: + resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==} + + log-symbols@4.1.0: + resolution: {integrity: sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg==} + engines: {node: '>=10'} + + log-symbols@5.1.0: + resolution: {integrity: sha512-l0x2DvrW294C9uDCoQe1VSU4gf529FkSZ6leBl4TiqZH/e+0R7hSfHQBNut2mNygDgHwvYHfFLn6Oxb3VWj2rA==} + engines: {node: '>=12'} + + long@4.0.0: + resolution: {integrity: sha512-XsP+KhQif4bjX1kbuSiySJFNAehNxgLb6hPRGJ9QsUr8ajHkuXGdrHmFUTUUXhDwVX2R5bY4JNZEwbUiMhV+MA==} + + loose-envify@1.4.0: + resolution: {integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==} + hasBin: true + + loupe@2.3.7: + resolution: {integrity: sha512-zSMINGVYkdpYSOBmLi0D1Uo7JU9nVdQKrHxC8eYlV+9YKK9WePqAlL7lSlorG/U2Fw1w0hTBmaa/jrQ3UbPHtA==} + + loupe@3.1.1: + resolution: {integrity: sha512-edNu/8D5MKVfGVFRhFf8aAxiTM6Wumfz5XsaatSxlD3w4R1d/WEKUTydCdPGbl9K7QG/Ca3GnDV2sIKIpXRQcw==} + + lowercase-keys@2.0.0: + resolution: {integrity: sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA==} + engines: {node: '>=8'} + + lowercase-keys@3.0.0: + resolution: {integrity: sha512-ozCC6gdQ+glXOQsveKD0YsDy8DSQFjDTz4zyzEHNV5+JP5D62LmfDZ6o1cycFx9ouG940M5dE8C8CTewdj2YWQ==} + engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + + lru-cache@10.2.0: + resolution: {integrity: sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==} + engines: {node: 14 || >=16.14} + + lru-cache@10.3.0: + resolution: {integrity: sha512-CQl19J/g+Hbjbv4Y3mFNNXFEL/5t/KCg8POCuUqd4rMKjGG+j1ybER83hxV58zL+dFI1PTkt3GNFSHRt+d8qEQ==} + engines: {node: 14 || >=16.14} + + lru-cache@6.0.0: + resolution: {integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==} + engines: {node: '>=10'} + + lru-queue@0.1.0: + resolution: {integrity: sha512-BpdYkt9EvGl8OfWHDQPISVpcl5xZthb+XPsbELj5AQXxIC8IriDZIQYjBJPEm5rS420sjZ0TLEzRcq5KdBhYrQ==} + + ltgt@2.2.1: + resolution: {integrity: sha512-AI2r85+4MquTw9ZYqabu4nMwy9Oftlfa/e/52t9IjtfG+mGBbTNdAoZ3RQKLHR6r0wQnwZnPIEh/Ya6XTWAKNA==} + + magic-string@0.30.10: + resolution: {integrity: sha512-iIRwTIf0QKV3UAnYK4PU8uiEc4SRh5jX0mwpIwETPpHdhVM4f53RSwS/vXvN1JhGX+Cs7B8qIq3d6AH49O5fAQ==} + + magic-string@0.30.11: + resolution: {integrity: sha512-+Wri9p0QHMy+545hKww7YAu5NyzF8iomPL/RQazugQ9+Ez4Ic3mERMd8ZTX5rfK944j+560ZJi8iAwgak1Ac7A==} + + make-error@1.3.6: + resolution: {integrity: sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==} + + make-fetch-happen@9.1.0: + resolution: {integrity: sha512-+zopwDy7DNknmwPQplem5lAZX/eCOzSvSNNcSKm5eVwTkOBzoktEfXsa9L23J/GIRhxRsaxzkPEhrJEpE2F4Gg==} + engines: {node: '>= 10'} + + matcher@3.0.0: + resolution: {integrity: sha512-OkeDaAZ/bQCxeFAozM55PKcKU0yJMPGifLwV4Qgjitu+5MoAfSQN4lsLJeXZ1b8w0x+/Emda6MZgXS1jvsapng==} + engines: {node: '>=10'} + + mathjs@13.1.1: + resolution: {integrity: sha512-duaSAy7m4F+QtP1Dyv8MX2XuxcqpNDDlGly0SdVTCqpAmwdOFWilDdQKbLdo9RfD6IDNMOdo9tIsEaTXkconlQ==} + engines: {node: '>= 18'} + hasBin: true + + md5.js@1.3.5: + resolution: {integrity: sha512-xitP+WxNPcTTOgnTJcrhM0xvdPepipPSf3I8EIpGKeFLjt3PlJLIDG3u8EX53ZIubkb+5U2+3rELYpEhHhzdkg==} + + mdn-data@2.0.30: + resolution: {integrity: sha512-GaqWWShW4kv/G9IEucWScBx9G1/vsFZZJUO+tD26M8J8z3Kw5RDQjaoZe03YAClgeS/SWPOcb4nkFBTEi5DUEA==} + + media-typer@0.3.0: + resolution: {integrity: sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==} + engines: {node: '>= 0.6'} + + memdown@5.1.0: + resolution: {integrity: sha512-B3J+UizMRAlEArDjWHTMmadet+UKwHd3UjMgGBkZcKAxAYVPS9o0Yeiha4qvz7iGiL2Sb3igUft6p7nbFWctpw==} + engines: {node: '>=6'} + + memoizee@0.4.15: + resolution: {integrity: sha512-UBWmJpLZd5STPm7PMUlOw/TSy972M+z8gcyQ5veOnSDRREz/0bmpyTfKt3/51DhEBqCZQn1udM/5flcSPYhkdQ==} + + memorystream@0.3.1: + resolution: {integrity: sha512-S3UwM3yj5mtUSEfP41UZmt/0SCoVYUcU1rkXv+BQ5Ig8ndL4sPoJNBUJERafdPb5jjHJGuMgytgKvKIf58XNBw==} + engines: {node: '>= 0.10.0'} + + merge-descriptors@1.0.1: + resolution: {integrity: sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==} + + merge-stream@2.0.0: + resolution: {integrity: sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==} + + merge2@1.4.1: + resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==} + engines: {node: '>= 8'} + + merkle-patricia-tree@4.2.4: + resolution: {integrity: sha512-eHbf/BG6eGNsqqfbLED9rIqbsF4+sykEaBn6OLNs71tjclbMcMOk1tEPmJKcNcNCLkvbpY/lwyOlizWsqPNo8w==} + + methods@1.1.2: + resolution: {integrity: sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==} + engines: {node: '>= 0.6'} + + micro-ftch@0.3.1: + resolution: {integrity: sha512-/0LLxhzP0tfiR5hcQebtudP56gUurs2CLkGarnCiB/OqEyUFQ6U3paQi/tgLv0hBJYt2rnr9MNpxz4fiiugstg==} + + micromatch@4.0.7: + resolution: {integrity: sha512-LPP/3KorzCwBxfeUuZmaR6bG2kdeHSbe0P2tY3FLRU4vYrjYz5hI4QZwV0njUx3jeuKe67YukQ1LSPZBKDqO/Q==} + engines: {node: '>=8.6'} + + mime-db@1.52.0: + resolution: {integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==} + engines: {node: '>= 0.6'} + + mime-types@2.1.35: + resolution: {integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==} + engines: {node: '>= 0.6'} + + mime@1.6.0: + resolution: {integrity: sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==} + engines: {node: '>=4'} + hasBin: true + + mimic-fn@2.1.0: + resolution: {integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==} + engines: {node: '>=6'} + + mimic-response@1.0.1: + resolution: {integrity: sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ==} + engines: {node: '>=4'} + + mimic-response@3.1.0: + resolution: {integrity: sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==} + engines: {node: '>=10'} + + min-document@2.19.0: + resolution: {integrity: sha512-9Wy1B3m3f66bPPmU5hdA4DR4PB2OfDU/+GS3yAB7IQozE3tqXaVv2zOjgla7MEGSRv95+ILmOuvhLkOK6wJtCQ==} + + minimalistic-assert@1.0.1: + resolution: {integrity: sha512-UtJcAD4yEaGtjPezWuO9wC4nwUnVH/8/Im3yEHQP4b67cXlD/Qr9hdITCU1xDbSEXg2XKNaP8jsReV7vQd00/A==} + + minimalistic-crypto-utils@1.0.1: + resolution: {integrity: sha512-JIYlbt6g8i5jKfJ3xz7rF0LXmv2TkDxBLUkiBeZ7bAx4GnnNMr8xFpGnOxn6GhTEHx3SjRrZEoU+j04prX1ktg==} + + minimatch@3.1.2: + resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==} + + minimatch@5.0.1: + resolution: {integrity: sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g==} + engines: {node: '>=10'} + + minimatch@5.1.6: + resolution: {integrity: sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g==} + engines: {node: '>=10'} + + minimatch@9.0.3: + resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==} + engines: {node: '>=16 || 14 >=14.17'} + + minimatch@9.0.5: + resolution: {integrity: sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==} + engines: {node: '>=16 || 14 >=14.17'} + + minimist@1.2.8: + resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==} + + minipass-collect@1.0.2: + resolution: {integrity: sha512-6T6lH0H8OG9kITm/Jm6tdooIbogG9e0tLgpY6mphXSm/A9u8Nq1ryBG+Qspiub9LjWlBPsPS3tWQ/Botq4FdxA==} + engines: {node: '>= 8'} + + minipass-fetch@1.4.1: + resolution: {integrity: sha512-CGH1eblLq26Y15+Azk7ey4xh0J/XfJfrCox5LDJiKqI2Q2iwOLOKrlmIaODiSQS8d18jalF6y2K2ePUm0CmShw==} + engines: {node: '>=8'} + + minipass-flush@1.0.5: + resolution: {integrity: sha512-JmQSYYpPUqX5Jyn1mXaRwOda1uQ8HP5KAT/oDSLCzt1BYRhQU0/hDtsB1ufZfEEzMZ9aAVmsBw8+FWsIXlClWw==} + engines: {node: '>= 8'} + + minipass-pipeline@1.2.4: + resolution: {integrity: sha512-xuIq7cIOt09RPRJ19gdi4b+RiNvDFYe5JH+ggNvBqGqpQXcru3PcRmOZuHBKWK1Txf9+cQ+HMVN4d6z46LZP7A==} + engines: {node: '>=8'} + + minipass-sized@1.0.3: + resolution: {integrity: sha512-MbkQQ2CTiBMlA2Dm/5cY+9SWFEN8pzzOXi6rlM5Xxq0Yqbda5ZQy9sU75a673FE9ZK0Zsbr6Y5iP6u9nktfg2g==} + engines: {node: '>=8'} + + minipass@2.9.0: + resolution: {integrity: sha512-wxfUjg9WebH+CUDX/CdbRlh5SmfZiy/hpkxaRI16Y9W56Pa75sWgd/rvFilSgrauD9NyFymP/+JFV3KwzIsJeg==} + + minipass@3.3.6: + resolution: {integrity: sha512-DxiNidxSEK+tHG6zOIklvNOwm3hvCrbUrdtzY74U6HKTJxvIDfOUL5W5P2Ghd3DTkhhKPYGqeNUIh5qcM4YBfw==} + engines: {node: '>=8'} + + minipass@5.0.0: + resolution: {integrity: sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==} + engines: {node: '>=8'} + + minipass@7.1.2: + resolution: {integrity: sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==} + engines: {node: '>=16 || 14 >=14.17'} + + minizlib@1.3.3: + resolution: {integrity: sha512-6ZYMOEnmVsdCeTJVE0W9ZD+pVnE8h9Hma/iOwwRDsdQoePpoX56/8B6z3P9VNwppJuBKNRuFDRNRqRWexT9G9Q==} + + minizlib@2.1.2: + resolution: {integrity: sha512-bAxsR8BVfj60DWXHE3u30oHzfl4G7khkSuPW+qvpd7jFRHm7dLxOjUk1EHACJ/hxLY8phGJ0YhYHZo7jil7Qdg==} + engines: {node: '>= 8'} + + mkdirp-classic@0.5.3: + resolution: {integrity: sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==} + + mkdirp-promise@5.0.1: + resolution: {integrity: sha512-Hepn5kb1lJPtVW84RFT40YG1OddBNTOVUZR2bzQUHc+Z03en8/3uX0+060JDhcEzyO08HmipsN9DcnFMxhIL9w==} + engines: {node: '>=4'} + deprecated: This package is broken and no longer maintained. 'mkdirp' itself supports promises now, please switch to that. + + mkdirp@0.5.6: + resolution: {integrity: sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==} + hasBin: true + + mkdirp@1.0.4: + resolution: {integrity: sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==} + engines: {node: '>=10'} + hasBin: true + + mkdirp@2.1.6: + resolution: {integrity: sha512-+hEnITedc8LAtIP9u3HJDFIdcLV2vXP33sqLLIzkv1Db1zO/1OxbvYf0Y1OC/S/Qo5dxHXepofhmxL02PsKe+A==} + engines: {node: '>=10'} + hasBin: true + + mkdirp@3.0.1: + resolution: {integrity: sha512-+NsyUUAZDmo6YVHzL/stxSu3t9YS1iljliy3BSDrXJ/dkn1KYdmtZODGGjLcc9XLgVVpH4KshHB8XmZgMhaBXg==} + engines: {node: '>=10'} + hasBin: true + + mocha@10.2.0: + resolution: {integrity: sha512-IDY7fl/BecMwFHzoqF2sg/SHHANeBoMMXFlS9r0OXKDssYE1M5O43wUY/9BVPeIvfH2zmEbBfseqN9gBQZzXkg==} + engines: {node: '>= 14.0.0'} + hasBin: true + + mocha@10.6.0: + resolution: {integrity: sha512-hxjt4+EEB0SA0ZDygSS015t65lJw/I2yRCS3Ae+SJ5FrbzrXgfYwJr96f0OvIXdj7h4lv/vLCrH3rkiuizFSvw==} + engines: {node: '>= 14.0.0'} + hasBin: true + + mock-fs@4.14.0: + resolution: {integrity: sha512-qYvlv/exQ4+svI3UOvPUpLDF0OMX5euvUH0Ny4N5QyRyhNdgAgUrVH3iUINSzEPLvx0kbo/Bp28GJKIqvE7URw==} + + mock-socket@9.3.1: + resolution: {integrity: sha512-qxBgB7Qa2sEQgHFjj0dSigq7fX4k6Saisd5Nelwp2q8mlbAFh5dHV9JTTlF8viYJLSSWgMCZFUom8PJcMNBoJw==} + engines: {node: '>= 8'} + + moonbeam-types-bundle@2.0.10: + resolution: {integrity: sha512-QDk/ktioLqDQCOLUu/+FyyF3UYWdKOqqa6q1vwI75pdKBg5elNpRXugEC1irzkLolTanvMRc2rO+qarT9ijjyg==} + + mrmime@2.0.0: + resolution: {integrity: sha512-eu38+hdgojoyq63s+yTpN4XMBdt5l8HhMhc4VKLO9KM5caLIBvUm4thi7fFaxyTmCKeNnXZ5pAlBwCUnhA09uw==} + engines: {node: '>=10'} + + ms@2.0.0: + resolution: {integrity: sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==} + + ms@2.1.2: + resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==} + + ms@2.1.3: + resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==} + + multibase@0.6.1: + resolution: {integrity: sha512-pFfAwyTjbbQgNc3G7D48JkJxWtoJoBMaR4xQUOuB8RnCgRqaYmWNFeJTTvrJ2w51bjLq2zTby6Rqj9TQ9elSUw==} + deprecated: This module has been superseded by the multiformats module + + multibase@0.7.0: + resolution: {integrity: sha512-TW8q03O0f6PNFTQDvh3xxH03c8CjGaaYrjkl9UQPG6rz53TQzzxJVCIWVjzcbN/Q5Y53Zd0IBQBMVktVgNx4Fg==} + deprecated: This module has been superseded by the multiformats module + + multicodec@0.5.7: + resolution: {integrity: sha512-PscoRxm3f+88fAtELwUnZxGDkduE2HD9Q6GHUOywQLjOGT/HAdhjLDYNZ1e7VR0s0TP0EwZ16LNUTFpoBGivOA==} + deprecated: This module has been superseded by the multiformats module + + multicodec@1.0.4: + resolution: {integrity: sha512-NDd7FeS3QamVtbgfvu5h7fd1IlbaC4EQ0/pgU4zqE2vdHCmBGsUa0TiM8/TdSeG6BMPC92OOCf8F1ocE/Wkrrg==} + deprecated: This module has been superseded by the multiformats module + + multiformats@9.9.0: + resolution: {integrity: sha512-HoMUjhH9T8DDBNT+6xzkrd9ga/XiBI4xLr58LJACwK6G3HTOPeMz4nB4KJs33L2BelrIJa7P0VuNaVF3hMYfjg==} + + multihashes@0.4.21: + resolution: {integrity: sha512-uVSvmeCWf36pU2nB4/1kzYZjsXD9vofZKpgudqkceYY5g2aZZXJ5r9lxuzoRLl1OAp28XljXsEJ/X/85ZsKmKw==} + + mute-stream@1.0.0: + resolution: {integrity: sha512-avsJQhyd+680gKXyG/sQc0nXaC6rBkPOfyHYcFb9+hdkqQkR9bdnkJ0AMZhke0oesPqIO+mFFJ+IdBc7mst4IA==} + engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0} + + mz@2.7.0: + resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==} + + nano-json-stream-parser@0.1.2: + resolution: {integrity: sha512-9MqxMH/BSJC7dnLsEMPyfN5Dvoo49IsPFYMcHw3Bcfc2kN0lpHRBSzlMSVx4HGyJ7s9B31CyBTVehWJoQ8Ctew==} + + nanoid@3.3.3: + resolution: {integrity: sha512-p1sjXuopFs0xg+fPASzQ28agW1oHD7xDsd9Xkf3T15H3c/cifrFHVwrh74PdoklAPi+i7MdRsE47vm2r6JoB+w==} + engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} + hasBin: true + + nanoid@3.3.7: + resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==} + engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} + hasBin: true + + napi-build-utils@1.0.2: + resolution: {integrity: sha512-ONmRUqK7zj7DWX0D9ADe03wbwOBZxNAfF20PlGfCWQcD3+/MakShIHrMqx9YwPTfxDdF1zLeL+RGZiR9kGMLdg==} + + napi-maybe-compressed-blob-darwin-arm64@0.0.11: + resolution: {integrity: sha512-hZ9ye4z8iMDVPEnx9A/Ag6k7xHX/BcK5Lntw/VANBUm9ioLSuRvHTALG4XaqVDGXo4U2NFDwSLRDyhFPYvqckQ==} + engines: {node: '>= 10'} + cpu: [arm64] + os: [darwin] + + napi-maybe-compressed-blob-darwin-x64@0.0.11: + resolution: {integrity: sha512-TqWNP7Vehi73xLXyUGjdLppP0W6T0Ef2D/X9HmAZNwglt+MkTujX10CDODfbFWvGy+NkaC5XqnzxCn19wbZZcA==} + engines: {node: '>= 10'} + cpu: [x64] + os: [darwin] + + napi-maybe-compressed-blob-linux-arm64-gnu@0.0.11: + resolution: {integrity: sha512-7D5w6MDZghcb3VtXRg2ShCEh9Z3zMeBVRG4xsMulEWT2j9/09Nopu+9KfI/2ngRvm78MniWSIlqds5PRAlCROA==} + engines: {node: '>= 10'} + cpu: [arm64] + os: [linux] + + napi-maybe-compressed-blob-linux-x64-gnu@0.0.11: + resolution: {integrity: sha512-JKY8KcZpQtKiL1smMKfukcOmsDVeZaw9fKXKsWC+wySc2wsvH7V2wy8PffSQ0lWERkI7Yn3k7xPjB463m/VNtg==} + engines: {node: '>= 10'} + cpu: [x64] + os: [linux] + + napi-maybe-compressed-blob@0.0.11: + resolution: {integrity: sha512-1dj4ET34TfEes0+josVLvwpJe337Jk6txd3XUjVmVs3budSo2eEjvN6pX4myYE1pS4x/k2Av57n/ypRl2u++AQ==} + engines: {node: '>= 10'} + + natural-compare@1.4.0: + resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==} + + negotiator@0.6.3: + resolution: {integrity: sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==} + engines: {node: '>= 0.6'} + + next-tick@1.1.0: + resolution: {integrity: sha512-CXdUiJembsNjuToQvxayPZF9Vqht7hewsvy2sOWafLvi2awflj9mOC6bHIg50orX8IJvWKY9wYQ/zB2kogPslQ==} + + nock@13.5.4: + resolution: {integrity: sha512-yAyTfdeNJGGBFxWdzSKCBYxs5FxLbCg5X5Q4ets974hcQzG1+qCxvIyOo4j2Ry6MUlhWVMX4OoYDefAIIwupjw==} + engines: {node: '>= 10.13'} + + node-abi@3.65.0: + resolution: {integrity: sha512-ThjYBfoDNr08AWx6hGaRbfPwxKV9kVzAzOzlLKbk2CuqXE2xnCh+cbAGnwM3t8Lq4v9rUB7VfondlkBckcJrVA==} + engines: {node: '>=10'} + + node-addon-api@2.0.2: + resolution: {integrity: sha512-Ntyt4AIXyaLIuMHF6IOoTakB3K+RWxwtsHNRxllEoA6vPwP9o4866g6YWDLUdnucilZhmkxiHwHr11gAENw+QA==} + + node-addon-api@7.1.0: + resolution: {integrity: sha512-mNcltoe1R8o7STTegSOHdnJNN7s5EUvhoS7ShnTHDyOSd+8H+UdWODq6qSv67PjC8Zc5JRT8+oLAMCr0SIXw7g==} + engines: {node: ^16 || ^18 || >= 20} + + node-domexception@1.0.0: + resolution: {integrity: sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ==} + engines: {node: '>=10.5.0'} + + node-fetch@2.7.0: + resolution: {integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==} + engines: {node: 4.x || >=6.0.0} + peerDependencies: + encoding: ^0.1.0 + peerDependenciesMeta: + encoding: + optional: true + + node-fetch@3.3.2: + resolution: {integrity: sha512-dRB78srN/l6gqWulah9SrxeYnxeddIG30+GOqK/9OlLVyLg3HPnr6SqOWTWOXKRwC2eGYCkZ59NNuSgvSrpgOA==} + engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + + node-forge@1.3.1: + resolution: {integrity: sha512-dPEtOeMvF9VMcYV/1Wb8CPoVAXtp6MKMlcbAt4ddqmGqUJ6fQZFXkNZNkNlfevtNkGtaSoXf/vNNNSvgrdXwtA==} + engines: {node: '>= 6.13.0'} + + node-gyp-build@4.8.1: + resolution: {integrity: sha512-OSs33Z9yWr148JZcbZd5WiAXhh/n9z8TxQcdMhIOlpN9AhWpLfvVFO73+m77bBABQMaY9XSvIa+qk0jlI7Gcaw==} + hasBin: true + + node-gyp@8.4.1: + resolution: {integrity: sha512-olTJRgUtAb/hOXG0E93wZDs5YiJlgbXxTwQAFHyNlRsXQnYzUaF2aGgujZbw+hR8aF4ZG/rST57bWMWD16jr9w==} + engines: {node: '>= 10.12.0'} + hasBin: true + + nopt@5.0.0: + resolution: {integrity: sha512-Tbj67rffqceeLpcRXrT7vKAN8CwfPeIBgM7E6iBkmKLV7bEMwpGgYLGv0jACUsECaa/vuxP0IjEont6umdMgtQ==} + engines: {node: '>=6'} + hasBin: true + + normalize-path@3.0.0: + resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==} + engines: {node: '>=0.10.0'} + + normalize-url@6.1.0: + resolution: {integrity: sha512-DlL+XwOy3NxAQ8xuC0okPgK46iuVNAK01YN7RueYBqqFeGsBjV9XmCAzAdgt+667bCl5kPh9EqKKDwnaPG1I7A==} + engines: {node: '>=10'} + + npm-run-path@4.0.1: + resolution: {integrity: sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==} + engines: {node: '>=8'} + + npmlog@6.0.2: + resolution: {integrity: sha512-/vBvz5Jfr9dT/aFWd0FIRf+T/Q2WBsLENygUaFUqstqsycmZAP/t5BvFJTK0viFmSUxiUKTUplWy5vt+rvKIxg==} + engines: {node: ^12.13.0 || ^14.15.0 || >=16.0.0} + deprecated: This package is no longer supported. + + number-to-bn@1.7.0: + resolution: {integrity: sha512-wsJ9gfSz1/s4ZsJN01lyonwuxA1tml6X1yBDnfpMglypcBRFZZkus26EdPSlqS5GJfYddVZa22p3VNb3z5m5Ig==} + engines: {node: '>=6.5.0', npm: '>=3'} + + nunjucks@3.2.4: + resolution: {integrity: sha512-26XRV6BhkgK0VOxfbU5cQI+ICFUtMLixv1noZn1tGU38kQH5A5nmmbk/O45xdyBhD1esk47nKrY0mvQpZIhRjQ==} + engines: {node: '>= 6.9.0'} + hasBin: true + peerDependencies: + chokidar: ^3.3.0 + peerDependenciesMeta: + chokidar: + optional: true + + oauth-sign@0.9.0: + resolution: {integrity: sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ==} + + object-assign@4.1.1: + resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==} + engines: {node: '>=0.10.0'} + + object-inspect@1.13.2: + resolution: {integrity: sha512-IRZSRuzJiynemAXPYtPe5BoI/RESNYR7TYm50MC5Mqbd3Jmw5y790sErYw3V6SryFJD64b74qQQs9wn5Bg/k3g==} + engines: {node: '>= 0.4'} + + object-is@1.1.6: + resolution: {integrity: sha512-F8cZ+KfGlSGi09lJT7/Nd6KJZ9ygtvYC0/UYYLI9nmQKLMnydpB9yvbv9K1uSkEu7FU9vYPmVwLg328tX+ot3Q==} + engines: {node: '>= 0.4'} + + object-keys@1.1.1: + resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==} + engines: {node: '>= 0.4'} + + object.assign@4.1.5: + resolution: {integrity: sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ==} + engines: {node: '>= 0.4'} + + oboe@2.1.5: + resolution: {integrity: sha512-zRFWiF+FoicxEs3jNI/WYUrVEgA7DeET/InK0XQuudGHRg8iIob3cNPrJTKaz4004uaA9Pbe+Dwa8iluhjLZWA==} + + octokit@4.0.2: + resolution: {integrity: sha512-wbqF4uc1YbcldtiBFfkSnquHtECEIpYD78YUXI6ri1Im5OO2NLo6ZVpRdbJpdnpZ05zMrVPssNiEo6JQtea+Qg==} + engines: {node: '>= 18'} + + on-exit-leak-free@2.1.2: + resolution: {integrity: sha512-0eJJY6hXLGf1udHwfNftBqH+g73EU4B504nZeKpz1sYRKafAghwxEJunB2O7rDZkL4PGfsMVnTXZ2EjibbqcsA==} + engines: {node: '>=14.0.0'} + + on-finished@2.4.1: + resolution: {integrity: sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==} + engines: {node: '>= 0.8'} + + once@1.4.0: + resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==} + + onetime@5.1.2: + resolution: {integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==} + engines: {node: '>=6'} + + optionator@0.9.4: + resolution: {integrity: sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==} + engines: {node: '>= 0.8.0'} + + ora@5.4.1: + resolution: {integrity: sha512-5b6Y85tPxZZ7QytO+BQzysW31HJku27cRIlkbAXaNx+BdcVi+LlRFmVXzeF6a7JCwJpyw5c4b+YSVImQIrBpuQ==} + engines: {node: '>=10'} + + ora@6.3.1: + resolution: {integrity: sha512-ERAyNnZOfqM+Ao3RAvIXkYh5joP220yf59gVe2X/cI6SiCxIdi4c9HZKZD8R6q/RDXEje1THBju6iExiSsgJaQ==} + engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + + os-tmpdir@1.0.2: + resolution: {integrity: sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==} + engines: {node: '>=0.10.0'} + + p-cancelable@2.1.1: + resolution: {integrity: sha512-BZOr3nRQHOntUjTrH8+Lh54smKHoHyur8We1V8DSMVrl5A2malOOwuJRnKRDjSnkoeBh4at6BwEnb5I7Jl31wg==} + engines: {node: '>=8'} + + p-cancelable@3.0.0: + resolution: {integrity: sha512-mlVgR3PGuzlo0MmTdk4cXqXWlwQDLnONTAg6sm62XkMJEiRxN3GL3SffkYvqwonbkJBcrI7Uvv5Zh9yjvn2iUw==} + engines: {node: '>=12.20'} + + p-limit@3.1.0: + resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==} + engines: {node: '>=10'} + + p-locate@5.0.0: + resolution: {integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==} + engines: {node: '>=10'} + + p-map@4.0.0: + resolution: {integrity: sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==} + engines: {node: '>=10'} + + package-json-from-dist@1.0.0: + resolution: {integrity: sha512-dATvCeZN/8wQsGywez1mzHtTlP22H8OEfPrVMLNr4/eGa+ijtLn/6M5f0dY8UKNrC2O9UCU6SSoG3qRKnt7STw==} + + pako@2.1.0: + resolution: {integrity: sha512-w+eufiZ1WuJYgPXbV/PO3NCMEc3xqylkKHzp8bxp1uW4qaSNQUkwmLLEc3kKsfz8lpV1F8Ht3U1Cm+9Srog2ug==} + + parent-module@1.0.1: + resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==} + engines: {node: '>=6'} + + parse-headers@2.0.5: + resolution: {integrity: sha512-ft3iAoLOB/MlwbNXgzy43SWGP6sQki2jQvAyBg/zDFAgr9bfNWZIUj42Kw2eJIl8kEi4PbgE6U1Zau/HwI75HA==} + + parse5-htmlparser2-tree-adapter@6.0.1: + resolution: {integrity: sha512-qPuWvbLgvDGilKc5BoicRovlT4MtYT6JfJyBOMDsKoiT+GiuP5qyrPCnR9HcPECIJJmZh5jRndyNThnhhb/vlA==} + + parse5@5.1.1: + resolution: {integrity: sha512-ugq4DFI0Ptb+WWjAdOK16+u/nHfiIrcE+sh8kZMaM0WllQKLI9rOUq6c2b7cwPkXdzfQESqvoqK6ug7U/Yyzug==} + + parse5@6.0.1: + resolution: {integrity: sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw==} + + parse5@7.1.2: + resolution: {integrity: sha512-Czj1WaSVpaoj0wbhMzLmWD69anp2WH7FXMB9n1Sy8/ZFF9jolSQVMu1Ij5WIyGmcBmhk7EOndpO4mIpihVqAXw==} + + parseurl@1.3.3: + resolution: {integrity: sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==} + engines: {node: '>= 0.8'} + + path-exists@4.0.0: + resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==} + engines: {node: '>=8'} + + path-is-absolute@1.0.1: + resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==} + engines: {node: '>=0.10.0'} + + path-key@3.1.1: + resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==} + engines: {node: '>=8'} + + path-scurry@1.11.1: + resolution: {integrity: sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==} + engines: {node: '>=16 || 14 >=14.18'} + + path-to-regexp@0.1.7: + resolution: {integrity: sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==} + + path-type@4.0.0: + resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==} + engines: {node: '>=8'} + + pathe@1.1.2: + resolution: {integrity: sha512-whLdWMYL2TwI08hn8/ZqAbrVemu0LNaNNJZX73O6qaIdCTfXutsLhMkjdENX0qhsQ9uIimo4/aQOmXkoon2nDQ==} + + pathval@1.1.1: + resolution: {integrity: sha512-Dp6zGqpTdETdR63lehJYPeIOqpiNBNtc7BpWSLrOje7UaIsE5aY92r/AunQA7rsXvet3lrJ3JnZX29UPTKXyKQ==} + + pathval@2.0.0: + resolution: {integrity: sha512-vE7JKRyES09KiunauX7nd2Q9/L7lhok4smP9RZTDeD4MVs72Dp2qNFVz39Nz5a0FVEW0BJR6C0DYrq6unoziZA==} + engines: {node: '>= 14.16'} + + pbkdf2@3.1.2: + resolution: {integrity: sha512-iuh7L6jA7JEGu2WxDwtQP1ddOpaJNC4KlDEFfdQajSGgGPNi4OyDc2R7QnbY2bR9QjBVGwgvTdNJZoE7RaxUMA==} + engines: {node: '>=0.12'} + + peer-id@0.16.0: + resolution: {integrity: sha512-EmL7FurFUduU9m1PS9cfJ5TAuCvxKQ7DKpfx3Yj6IKWyBRtosriFuOag/l3ni/dtPgPLwiA4R9IvpL7hsDLJuQ==} + engines: {node: '>=15.0.0'} + + performance-now@2.1.0: + resolution: {integrity: sha512-7EAHlyLHI56VEIdK57uwHdHKIaAGbnXPiw0yWbarQZOKaKpvUIgW0jWRVLiatnM+XXlSwsanIBH/hzGMJulMow==} + + picocolors@1.0.1: + resolution: {integrity: sha512-anP1Z8qwhkbmu7MFP5iTt+wQKXgwzf7zTyGlcdzabySa9vd0Xt392U0rVmz9poOaBj0uHJKyyo9/upk0HrEQew==} + + picomatch@2.3.1: + resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} + engines: {node: '>=8.6'} + + picomatch@4.0.2: + resolution: {integrity: sha512-M7BAV6Rlcy5u+m6oPhAPFgJTzAioX/6B0DxyvDlo9l8+T3nLKbrczg2WLUyzd45L8RqfUMyGPzekbMvX2Ldkwg==} + engines: {node: '>=12'} + + pino-abstract-transport@1.2.0: + resolution: {integrity: sha512-Guhh8EZfPCfH+PMXAb6rKOjGQEoy0xlAIn+irODG5kgfYV+BQ0rGYYWTIel3P5mmyXqkYkPmdIkywsn6QKUR1Q==} + + pino-pretty@11.2.1: + resolution: {integrity: sha512-O05NuD9tkRasFRWVaF/uHLOvoRDFD7tb5VMertr78rbsYFjYp48Vg3477EshVAF5eZaEw+OpDl/tu+B0R5o+7g==} + hasBin: true + + pino-std-serializers@6.2.2: + resolution: {integrity: sha512-cHjPPsE+vhj/tnhCy/wiMh3M3z3h/j15zHQX+S9GkTBgqJuTuJzYJ4gUyACLhDaJ7kk9ba9iRDmbH2tJU03OiA==} + + pino@8.21.0: + resolution: {integrity: sha512-ip4qdzjkAyDDZklUaZkcRFb2iA118H9SgRh8yzTkSQK8HilsOJF7rSY8HoW5+I0M46AZgX/pxbprf2vvzQCE0Q==} + hasBin: true + + pnglib@0.0.1: + resolution: {integrity: sha512-95ChzOoYLOPIyVmL+Y6X+abKGXUJlvOVLkB1QQkyXl7Uczc6FElUy/x01NS7r2GX6GRezloO/ecCX9h4U9KadA==} + + pontem-types-bundle@1.0.15: + resolution: {integrity: sha512-PXQTwvb6QB5VW3UILU9w7du55j7hd2mZspfLPcum7XEwxhVhzH22dygd3waSNEhybTgcsV40XB4d3OIdwgaLvw==} + + possible-typed-array-names@1.0.0: + resolution: {integrity: sha512-d7Uw+eZoloe0EHDIYoe+bQ5WXnGMOpmiZFTuMWCwpjzzkL2nTjcKiAk4hh8TjnGye2TwWOk3UXucZ+3rbmBa8Q==} + engines: {node: '>= 0.4'} + + postcss-value-parser@4.2.0: + resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==} + + postcss@8.4.38: + resolution: {integrity: sha512-Wglpdk03BSfXkHoQa3b/oulrotAkwrlLDRSOb9D0bN86FdRyE9lppSp33aHNPgBa0JKCoB+drFLZkQoRRYae5A==} + engines: {node: ^10 || ^12 || >=14} + + postcss@8.4.39: + resolution: {integrity: sha512-0vzE+lAiG7hZl1/9I8yzKLx3aR9Xbof3fBHKunvMfOCYAtMhrsnccJY2iTURb9EZd5+pLuiNV9/c/GZJOHsgIw==} + engines: {node: ^10 || ^12 || >=14} + + prebuild-install@7.1.2: + resolution: {integrity: sha512-UnNke3IQb6sgarcZIDU3gbMeTp/9SSU1DAIkil7PrqG1vZlBtY5msYccSKSHDqa3hNg436IXK+SNImReuA1wEQ==} + engines: {node: '>=10'} + hasBin: true + + prelude-ls@1.2.1: + resolution: {integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==} + engines: {node: '>= 0.8.0'} + + prettier@2.8.8: + resolution: {integrity: sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==} + engines: {node: '>=10.13.0'} + hasBin: true + + process-warning@3.0.0: + resolution: {integrity: sha512-mqn0kFRl0EoqhnL0GQ0veqFHyIN1yig9RHh/InzORTUiZHFRAur+aMtRkELNwGs9aNwKS6tg/An4NYBPGwvtzQ==} + + process@0.11.10: + resolution: {integrity: sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A==} + engines: {node: '>= 0.6.0'} + + promise-inflight@1.0.1: + resolution: {integrity: sha512-6zWPyEOFaQBJYcGMHBKTKJ3u6TBsnMFOIZSa6ce1e/ZrrsOlnHRHbabMjLiBYKp+n44X9eUI6VUPaukCXHuG4g==} + peerDependencies: + bluebird: '*' + peerDependenciesMeta: + bluebird: + optional: true + + promise-retry@2.0.1: + resolution: {integrity: sha512-y+WKFlBR8BGXnsNlIHFGPZmyDf3DFMoLhaflAnyZgV6rG6xu+JwesTo2Q9R6XwYmtmwAFCkAk3e35jEdoeh/3g==} + engines: {node: '>=10'} + + prop-types@15.8.1: + resolution: {integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==} + + propagate@2.0.1: + resolution: {integrity: sha512-vGrhOavPSTz4QVNuBNdcNXePNdNMaO1xj9yBeH1ScQPjk/rhg9sSlCXPhMkFuaNNW/syTvYqsnbIJxMBfRbbag==} + engines: {node: '>= 8'} + + proto-list@1.2.4: + resolution: {integrity: sha512-vtK/94akxsTMhe0/cbfpR+syPuszcuwhqVjJq26CuNDgFGj682oRBXOP5MJpv2r7JtE8MsiepGIqvvOTBwn2vA==} + + protobufjs@6.11.4: + resolution: {integrity: sha512-5kQWPaJHi1WoCpjTGszzQ32PG2F4+wRY6BmAT4Vfw56Q2FZ4YZzK20xUYQH4YkfehY1e6QSICrJquM6xXZNcrw==} + hasBin: true + + proxy-addr@2.0.7: + resolution: {integrity: sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==} + engines: {node: '>= 0.10'} + + proxy-from-env@1.1.0: + resolution: {integrity: sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==} + + prr@1.0.1: + resolution: {integrity: sha512-yPw4Sng1gWghHQWj0B3ZggWUm4qVbPwPFcRG8KyxiU7J2OHFSoEHKS+EZ3fv5l1t9CyCiop6l/ZYeWbrgoQejw==} + + psl@1.9.0: + resolution: {integrity: sha512-E/ZsdU4HLs/68gYzgGTkMicWTLPdAftJLfJFlLUAAKZGkStNU72sZjT66SnMDVOfOWY/YAoiD7Jxa9iHvngcag==} + + pump@3.0.0: + resolution: {integrity: sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==} + + punycode@2.1.0: + resolution: {integrity: sha512-Yxz2kRwT90aPiWEMHVYnEf4+rhwF1tBmmZ4KepCP+Wkium9JxtWnUm1nqGwpiAHr/tnTSeHqr3wb++jgSkXjhA==} + engines: {node: '>=6'} + + punycode@2.3.1: + resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==} + engines: {node: '>=6'} + + qs@6.11.0: + resolution: {integrity: sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==} + engines: {node: '>=0.6'} + + qs@6.5.3: + resolution: {integrity: sha512-qxXIEh4pCGfHICj1mAJQ2/2XVZkjCDTcEgfoSQxc/fYivUZxTkk7L3bDBJSoNrEzXI17oUO5Dp07ktqE5KzczA==} + engines: {node: '>=0.6'} + + query-string@5.1.1: + resolution: {integrity: sha512-gjWOsm2SoGlgLEdAGt7a6slVOk9mGiXmPFMqrEhLQ68rhQuBnpfs3+EmlvqKyxnCo9/PPlF+9MtY02S1aFg+Jw==} + engines: {node: '>=0.10.0'} + + querystringify@2.2.0: + resolution: {integrity: sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==} + + queue-microtask@1.2.3: + resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==} + + quick-format-unescaped@4.0.4: + resolution: {integrity: sha512-tYC1Q1hgyRuHgloV/YXs2w15unPVh8qfu/qCTfhTYamaw7fyhumKa2yGpdSo87vY32rIclj+4fWYQXUMs9EHvg==} + + quick-lru@5.1.1: + resolution: {integrity: sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==} + engines: {node: '>=10'} + + randombytes@2.1.0: + resolution: {integrity: sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==} + + randomness@1.6.14: + resolution: {integrity: sha512-BQGEM09tR0ft8QeOOHbGt7AKoYjqHb0Zbos8TY81tWRENC//M+FuQPdtE3GLqUdj115J8r7pP8xsOgLQyVkLJA==} + engines: {node: '>=14 <15 || >=16 <17 || >=18'} + + range-parser@1.2.1: + resolution: {integrity: sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==} + engines: {node: '>= 0.6'} + + raw-body@2.5.1: + resolution: {integrity: sha512-qqJBtEyVgS0ZmPGdCFPWJ3FreoqvG4MVQln/kCgF7Olq95IbOp0/BWyMwbdtn4VTvkM8Y7khCQ2Xgk/tcrCXig==} + engines: {node: '>= 0.8'} + + raw-body@2.5.2: + resolution: {integrity: sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==} + engines: {node: '>= 0.8'} + + rc@1.2.8: + resolution: {integrity: sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw==} + hasBin: true + + react-copy-to-clipboard@5.1.0: + resolution: {integrity: sha512-k61RsNgAayIJNoy9yDsYzDe/yAZAzEbEgcz3DZMhF686LEyukcE1hzurxe85JandPUG+yTfGVFzuEw3xt8WP/A==} + peerDependencies: + react: ^15.3.0 || 16 || 17 || 18 + + react-dom@18.3.1: + resolution: {integrity: sha512-5m4nQKp+rZRb09LNH59GM4BxTh9251/ylbKIbpe7TpGxfJ+9kv6BLkLBXIjjspbgbnIBNqlI23tRnTWT0snUIw==} + peerDependencies: + react: ^18.3.1 + + react-is@16.13.1: + resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==} + + react-is@18.3.1: + resolution: {integrity: sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==} + + react@18.3.1: + resolution: {integrity: sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==} + engines: {node: '>=0.10.0'} + + readable-stream@3.6.2: + resolution: {integrity: sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==} + engines: {node: '>= 6'} + + readable-stream@4.5.2: + resolution: {integrity: sha512-yjavECdqeZ3GLXNgRXgeQEdz9fvDDkNKyHnbHRFtOr7/LcfgBcmct7t/ET+HaCTqfh06OzoAxrkN/IfjJBVe+g==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + + readdirp@3.6.0: + resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==} + engines: {node: '>=8.10.0'} + + real-require@0.2.0: + resolution: {integrity: sha512-57frrGM/OCTLqLOAh0mhVA9VBMHd+9U7Zb2THMGdBUoZVOtGbJzjxsYGDJ3A9AYYCP4hn6y1TVbaOfzWtm5GFg==} + engines: {node: '>= 12.13.0'} + + reflect-metadata@0.2.2: + resolution: {integrity: sha512-urBwgfrvVP/eAyXx4hluJivBKzuEbSQs9rKWCrCkbSxNv8mxPcUZKeuoF3Uy4mJl3Lwprp6yy5/39VWigZ4K6Q==} + + regenerator-runtime@0.14.1: + resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==} + + regexp.prototype.flags@1.5.2: + resolution: {integrity: sha512-NcDiDkTLuPR+++OCKB0nWafEmhg/Da8aUPLPMQbK+bxKKCm1/S5he+AqYa4PlMCVBalb4/yxIRub6qkEx5yJbw==} + engines: {node: '>= 0.4'} + + request@2.88.2: + resolution: {integrity: sha512-MsvtOrfG9ZcrOwAW+Qi+F6HbD0CWXEh9ou77uOb7FM2WPhwT7smM833PzanhJLsgXjN89Ir6V2PczXNnMpwKhw==} + engines: {node: '>= 6'} + deprecated: request has been deprecated, see https://github.com/request/request/issues/3142 + + require-directory@2.1.1: + resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==} + engines: {node: '>=0.10.0'} + + require-from-string@2.0.2: + resolution: {integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==} + engines: {node: '>=0.10.0'} + + requires-port@1.0.0: + resolution: {integrity: sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==} + + resolve-alpn@1.2.1: + resolution: {integrity: sha512-0a1F4l73/ZFZOakJnQ3FvkJ2+gSTQWz/r2KE5OdDY0TxPm5h4GkqkWWfM47T7HsbnOtcJVEF4epCVy6u7Q3K+g==} + + resolve-from@4.0.0: + resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==} + engines: {node: '>=4'} + + resolve-pkg-maps@1.0.0: + resolution: {integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==} + + responselike@2.0.1: + resolution: {integrity: sha512-4gl03wn3hj1HP3yzgdI7d3lCkF95F21Pz4BPGvKHinyQzALR5CapwC8yIi0Rh58DEMQ/SguC03wFj2k0M/mHhw==} + + restore-cursor@3.1.0: + resolution: {integrity: sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==} + engines: {node: '>=8'} + + restore-cursor@4.0.0: + resolution: {integrity: sha512-I9fPXU9geO9bHOt9pHHOhOkYerIMsmVaWB0rA2AI9ERh/+x/i7MV5HKBNrg+ljO5eoPVgCcnFuRjJ9uH6I/3eg==} + engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + + retry@0.12.0: + resolution: {integrity: sha512-9LkiTwjUh6rT555DtE9rTX+BKByPfrMzEAtnlEtdEwr3Nkffwiihqe2bWADg+OQRjt9gl6ICdmB/ZFDCGAtSow==} + engines: {node: '>= 4'} + + reusify@1.0.4: + resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==} + engines: {iojs: '>=1.0.0', node: '>=0.10.0'} + + rimraf@3.0.2: + resolution: {integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==} + deprecated: Rimraf versions prior to v4 are no longer supported + hasBin: true + + ripemd160@2.0.2: + resolution: {integrity: sha512-ii4iagi25WusVoiC4B4lq7pbXfAp3D9v5CwfkY33vffw2+pkDjY1D8GaN7spsxvCSx8dkPqOZCEZyfxcmJG2IA==} + + rlp@2.2.7: + resolution: {integrity: sha512-d5gdPmgQ0Z+AklL2NVXr/IoSjNZFfTVvQWzL/AM2AOcSzYP2xjlb0AC8YyCLc41MSNf6P6QVtjgPdmVtzb+4lQ==} + hasBin: true + + rlp@3.0.0: + resolution: {integrity: sha512-PD6U2PGk6Vq2spfgiWZdomLvRGDreBLxi5jv5M8EpRo3pU6VEm31KO+HFxE18Q3vgqfDrQ9pZA3FP95rkijNKw==} + hasBin: true + + roarr@2.15.4: + resolution: {integrity: sha512-CHhPh+UNHD2GTXNYhPWLnU8ONHdI+5DI+4EYIAOaiD63rHeYlZvyh8P+in5999TTSFgUYuKUAjzRI4mdh/p+2A==} + engines: {node: '>=8.0'} + + rollup@4.13.0: + resolution: {integrity: sha512-3YegKemjoQnYKmsBlOHfMLVPPA5xLkQ8MHLLSw/fBrFaVkEayL51DilPpNNLq1exr98F2B1TzrV0FUlN3gWRPg==} + engines: {node: '>=18.0.0', npm: '>=8.0.0'} + hasBin: true + + rrweb-cssom@0.6.0: + resolution: {integrity: sha512-APM0Gt1KoXBz0iIkkdB/kfvGOwC4UuJFeG/c+yV7wSc7q96cG/kJ0HiYCnzivD9SB53cLV1MlHFNfOuPaadYSw==} + + run-async@3.0.0: + resolution: {integrity: sha512-540WwVDOMxA6dN6We19EcT9sc3hkXPw5mzRNGM3FkdN/vtE9NFvj5lFAPNwUDmJjXidm3v7TC1cTE7t17Ulm1Q==} + engines: {node: '>=0.12.0'} + + run-parallel@1.2.0: + resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==} + + rxjs@6.6.7: + resolution: {integrity: sha512-hTdwr+7yYNIT5n4AMYp85KA6yw2Va0FLa3Rguvbpa4W3I5xynaBZo41cM3XM+4Q6fRMj3sBYIR1VAmZMXYJvRQ==} + engines: {npm: '>=2.0.0'} + + rxjs@7.8.1: + resolution: {integrity: sha512-AA3TVj+0A2iuIoQkWEK/tqFjBq2j+6PO6Y0zJcvzLAFhEFIO3HL0vls9hWLncZbAAbK0mar7oZ4V079I/qPMxg==} + + safe-buffer@5.1.2: + resolution: {integrity: sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==} + + safe-buffer@5.2.1: + resolution: {integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==} + + safe-stable-stringify@2.4.3: + resolution: {integrity: sha512-e2bDA2WJT0wxseVd4lsDP4+3ONX6HpMXQa1ZhFQ7SU+GjvORCmShbCMltrtIDfkYhVHrOcPtj+KhmDBdPdZD1g==} + engines: {node: '>=10'} + + safer-buffer@2.1.2: + resolution: {integrity: sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==} + + saxes@6.0.0: + resolution: {integrity: sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==} + engines: {node: '>=v12.22.7'} + + scale-ts@1.6.0: + resolution: {integrity: sha512-Ja5VCjNZR8TGKhUumy9clVVxcDpM+YFjAnkMuwQy68Hixio3VRRvWdE3g8T/yC+HXA0ZDQl2TGyUmtmbcVl40Q==} + + scheduler@0.23.2: + resolution: {integrity: sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==} + + scrypt-js@3.0.1: + resolution: {integrity: sha512-cdwTTnqPu0Hyvf5in5asVdZocVDTNRmR7XEcJuIzMjJeSHybHl7vpB66AzwTaIg6CLSbtjcxc8fqcySfnTkccA==} + + scryptsy@2.1.0: + resolution: {integrity: sha512-1CdSqHQowJBnMAFyPEBRfqag/YP9OF394FV+4YREIJX4ljD7OxvQRDayyoyyCk+senRjSkP6VnUNQmVQqB6g7w==} + + secp256k1@4.0.3: + resolution: {integrity: sha512-NLZVf+ROMxwtEj3Xa562qgv2BK5e2WNmXPiOdVIPLgs6lyTzMvBq0aWTYMI5XCP9jZMVKOcqZLw/Wc4vDkuxhA==} + engines: {node: '>=10.0.0'} + + secure-json-parse@2.7.0: + resolution: {integrity: sha512-6aU+Rwsezw7VR8/nyvKTx8QpWH9FrcYiXXlqC4z5d5XQBDRqtbfsRjnwGyqbi3gddNtWHuEk9OANUotL26qKUw==} + + seedrandom@3.0.5: + resolution: {integrity: sha512-8OwmbklUNzwezjGInmZ+2clQmExQPvomqjL7LFqOYqtmuxRgQYqOD3mHaU+MvZn5FLUeVxVfQjwLZW/n/JFuqg==} + + semaphore-async-await@1.5.1: + resolution: {integrity: sha512-b/ptP11hETwYWpeilHXXQiV5UJNJl7ZWWooKRE5eBIYWoom6dZ0SluCIdCtKycsMtZgKWE01/qAw6jblw1YVhg==} + engines: {node: '>=4.1'} + + semver-compare@1.0.0: + resolution: {integrity: sha512-YM3/ITh2MJ5MtzaM429anh+x2jiLVjqILF4m4oyQB18W7Ggea7BfqdH/wGMK7dDiMghv/6WG7znWMwUDzJiXow==} + + semver@5.7.2: + resolution: {integrity: sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==} + hasBin: true + + semver@7.6.2: + resolution: {integrity: sha512-FNAIBWCx9qcRhoHcgcJ0gvU7SN1lYU2ZXuSfl04bSC5OpvDHFyJCjdNHomPXxjQlCBU67YW64PzY7/VIEH7F2w==} + engines: {node: '>=10'} + hasBin: true + + semver@7.6.3: + resolution: {integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==} + engines: {node: '>=10'} + hasBin: true + + send@0.18.0: + resolution: {integrity: sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==} + engines: {node: '>= 0.8.0'} + + serialize-error@7.0.1: + resolution: {integrity: sha512-8I8TjW5KMOKsZQTvoxjuSIa7foAwPWGOts+6o7sgjz41/qMD9VQHEDxi6PBvK2l0MXUmqZyNpUK+T2tQaaElvw==} + engines: {node: '>=10'} + + serialize-javascript@6.0.0: + resolution: {integrity: sha512-Qr3TosvguFt8ePWqsvRfrKyQXIiW+nGbYpy8XK24NQHE83caxWt+mIymTT19DGFbNWNLfEwsrkSmN64lVWB9ag==} + + serialize-javascript@6.0.2: + resolution: {integrity: sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==} + + serve-static@1.15.0: + resolution: {integrity: sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==} + engines: {node: '>= 0.8.0'} + + servify@0.1.12: + resolution: {integrity: sha512-/xE6GvsKKqyo1BAY+KxOWXcLpPsUUyji7Qg3bVD7hh1eRze5bR1uYiuDA/k3Gof1s9BTzQZEJK8sNcNGFIzeWw==} + engines: {node: '>=6'} + + set-blocking@2.0.0: + resolution: {integrity: sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==} + + set-function-length@1.1.1: + resolution: {integrity: sha512-VoaqjbBJKiWtg4yRcKBQ7g7wnGnLV3M8oLvVWwOk2PdYY6PEFegR1vezXR0tw6fZGF9csVakIRjrJiy2veSBFQ==} + engines: {node: '>= 0.4'} + + set-function-length@1.2.2: + resolution: {integrity: sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==} + engines: {node: '>= 0.4'} + + set-function-name@2.0.2: + resolution: {integrity: sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==} + engines: {node: '>= 0.4'} + + setimmediate@1.0.5: + resolution: {integrity: sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA==} + + setprototypeof@1.2.0: + resolution: {integrity: sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==} + + sha.js@2.4.11: + resolution: {integrity: sha512-QMEp5B7cftE7APOjk5Y6xgrbWu+WkLVQwk8JNjZ8nKRciZaByEW6MubieAiToS7+dwvrjGhH8jRXz3MVd0AYqQ==} + hasBin: true + + shallowequal@1.1.0: + resolution: {integrity: sha512-y0m1JoUZSlPAjXVtPPW70aZWfIL/dSP7AFkRnniLCrK/8MDKog3TySTBmckD+RObVxH0v4Tox67+F14PdED2oQ==} + + shebang-command@2.0.0: + resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==} + engines: {node: '>=8'} + + shebang-regex@3.0.0: + resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==} + engines: {node: '>=8'} + + side-channel@1.0.6: + resolution: {integrity: sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==} + engines: {node: '>= 0.4'} + + siginfo@2.0.0: + resolution: {integrity: sha512-ybx0WO1/8bSBLEWXZvEd7gMW3Sn3JFlW3TvX1nREbDLRNQNaeNN8WK0meBwPdAaOI7TtRRRJn/Es1zhrrCHu7g==} + + signal-exit@3.0.7: + resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==} + + signal-exit@4.1.0: + resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==} + engines: {node: '>=14'} + + simple-concat@1.0.1: + resolution: {integrity: sha512-cSFtAPtRhljv69IK0hTVZQ+OfE9nePi/rtJmw5UjHeVyVroEqJXP1sFztKUy1qU+xvz3u/sfYJLa947b7nAN2Q==} + + simple-get@2.8.2: + resolution: {integrity: sha512-Ijd/rV5o+mSBBs4F/x9oDPtTx9Zb6X9brmnXvMW4J7IR15ngi9q5xxqWBKU744jTZiaXtxaPL7uHG6vtN8kUkw==} + + simple-get@4.0.1: + resolution: {integrity: sha512-brv7p5WgH0jmQJr1ZDDfKDOSeWWg+OVypG99A/5vYGPqJ6pxiaHLy8nxtFjBA7oMa01ebA9gfh1uMCFqOuXxvA==} + + sirv@2.0.4: + resolution: {integrity: sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==} + engines: {node: '>= 10'} + + slash@3.0.0: + resolution: {integrity: sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==} + engines: {node: '>=8'} + + smart-buffer@4.2.0: + resolution: {integrity: sha512-94hK0Hh8rPqQl2xXc3HsaBoOXKV20MToPkcXvwbISWLEs+64sBq5kFgn2kJDHb1Pry9yrP0dxrCI9RRci7RXKg==} + engines: {node: '>= 6.0.0', npm: '>= 3.0.0'} + + smoldot@2.0.22: + resolution: {integrity: sha512-B50vRgTY6v3baYH6uCgL15tfaag5tcS2o/P5q1OiXcKGv1axZDfz2dzzMuIkVpyMR2ug11F6EAtQlmYBQd292g==} + + smoldot@2.0.26: + resolution: {integrity: sha512-F+qYmH4z2s2FK+CxGj8moYcd1ekSIKH8ywkdqlOz88Dat35iB1DIYL11aILN46YSGMzQW/lbJNS307zBSDN5Ig==} + + socks-proxy-agent@6.2.1: + resolution: {integrity: sha512-a6KW9G+6B3nWZ1yB8G7pJwL3ggLy1uTzKAgCb7ttblwqdz9fMGJUuTy3uFzEP48FAs9FLILlmzDlE2JJhVQaXQ==} + engines: {node: '>= 10'} + + socks@2.8.3: + resolution: {integrity: sha512-l5x7VUUWbjVFbafGLxPWkYsHIhEvmF85tbIeFZWc8ZPtoMyybuEhL7Jye/ooC4/d48FgOjSJXgsF/AJPYCW8Zw==} + engines: {node: '>= 10.0.0', npm: '>= 3.0.0'} + + solc@0.8.25: + resolution: {integrity: sha512-7P0TF8gPeudl1Ko3RGkyY6XVCxe2SdD/qQhtns1vl3yAbK/PDifKDLHGtx1t7mX3LgR7ojV7Fg/Kc6Q9D2T8UQ==} + engines: {node: '>=10.0.0'} + hasBin: true + + sonic-boom@3.8.1: + resolution: {integrity: sha512-y4Z8LCDBuum+PBP3lSV7RHrXscqksve/bi0as7mhwVnBW+/wUqKT/2Kb7um8yqcFy0duYbbPxzt89Zy2nOCaxg==} + + sonic-boom@4.0.1: + resolution: {integrity: sha512-hTSD/6JMLyT4r9zeof6UtuBDpjJ9sO08/nmS5djaA9eozT9oOlNdpXSnzcgj4FTqpk3nkLrs61l4gip9r1HCrQ==} + + source-map-js@1.2.0: + resolution: {integrity: sha512-itJW8lvSA0TXEphiRoawsCksnlf8SyvmFzIhltqAHluXd88pkCd+cXJVHTDwdCr0IzwptSm035IHQktUu1QUMg==} + engines: {node: '>=0.10.0'} + + split2@4.2.0: + resolution: {integrity: sha512-UcjcJOWknrNkF6PLX83qcHM6KHgVKNkV62Y8a5uYDVv9ydGQVwAHMKqHdJje1VTWpljG0WYpCDhrCdAOYH4TWg==} + engines: {node: '>= 10.x'} + + sprintf-js@1.1.3: + resolution: {integrity: sha512-Oo+0REFV59/rz3gfJNKQiBlwfHaSESl1pcGyABQsnnIfWOFt6JNj5gCog2U6MLZ//IGYD+nA8nI+mTShREReaA==} + + sqlite3@5.1.7: + resolution: {integrity: sha512-GGIyOiFaG+TUra3JIfkI/zGP8yZYLPQ0pl1bH+ODjiX57sPhrLU5sQJn1y9bDKZUFYkX1crlrPfSYt0BKKdkog==} + peerDependenciesMeta: + node-gyp: + optional: true + + sshpk@1.18.0: + resolution: {integrity: sha512-2p2KJZTSqQ/I3+HX42EpYOa2l3f8Erv8MWKsy2I9uf4wA7yFIkXRffYdsx86y6z4vHtV8u7g+pPlr8/4ouAxsQ==} + engines: {node: '>=0.10.0'} + hasBin: true + + ssri@8.0.1: + resolution: {integrity: sha512-97qShzy1AiyxvPNIkLWoGua7xoQzzPjQ0HAH4B0rWKo7SZ6USuPcrUiAFrws0UH8RrbWmgq3LMTObhPIHbbBeQ==} + engines: {node: '>= 8'} + + stackback@0.0.2: + resolution: {integrity: sha512-1XMJE5fQo1jGH6Y/7ebnwPOBEkIEnT4QF32d5R1+VXdXveM0IBMJt8zfaxX1P3QhVwrYe+576+jkANtSS2mBbw==} + + statuses@2.0.1: + resolution: {integrity: sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==} + engines: {node: '>= 0.8'} + + std-env@3.7.0: + resolution: {integrity: sha512-JPbdCEQLj1w5GilpiHAx3qJvFndqybBysA3qUOnznweH4QbNYUsW/ea8QzSrnh0vNsezMMw5bcVool8lM0gwzg==} + + stdin-discarder@0.1.0: + resolution: {integrity: sha512-xhV7w8S+bUwlPTb4bAOUQhv8/cSS5offJuX8GQGq32ONF0ZtDWKfkdomM3HMRA+LhX6um/FZ0COqlwsjD53LeQ==} + engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + + stop-iteration-iterator@1.0.0: + resolution: {integrity: sha512-iCGQj+0l0HOdZ2AEeBADlsRC+vsnDsZsbdSiH1yNSjcfKM7fdpCMfqAL/dwF5BLiw/XhRft/Wax6zQbhq2BcjQ==} + engines: {node: '>= 0.4'} + + store@2.0.12: + resolution: {integrity: sha512-eO9xlzDpXLiMr9W1nQ3Nfp9EzZieIQc10zPPMP5jsVV7bLOziSFFBP0XoDXACEIFtdI+rIz0NwWVA/QVJ8zJtw==} + + strict-uri-encode@1.1.0: + resolution: {integrity: sha512-R3f198pcvnB+5IpnBlRkphuE9n46WyVl8I39W/ZUTZLz4nqSP/oLYUrcnJrw462Ds8he4YKMov2efsTIw1BDGQ==} + engines: {node: '>=0.10.0'} + + string-width@4.2.3: + resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==} + engines: {node: '>=8'} + + string-width@5.1.2: + resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==} + engines: {node: '>=12'} + + string_decoder@1.3.0: + resolution: {integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==} + + strip-ansi@6.0.1: + resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==} + engines: {node: '>=8'} + + strip-ansi@7.1.0: + resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==} + engines: {node: '>=12'} + + strip-final-newline@2.0.0: + resolution: {integrity: sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==} + engines: {node: '>=6'} + + strip-hex-prefix@1.0.0: + resolution: {integrity: sha512-q8d4ue7JGEiVcypji1bALTos+0pWtyGlivAWyPuTkHzuTCJqrK9sWxYQZUq6Nq3cuyv3bm734IhHvHtGGURU6A==} + engines: {node: '>=6.5.0', npm: '>=3'} + + strip-json-comments@2.0.1: + resolution: {integrity: sha512-4gB8na07fecVVkOI6Rs4e7T6NOTki5EmL7TUduTs6bu3EdnSycntVJ4re8kgZA+wx9IueI2Y11bfbgwtzuE0KQ==} + engines: {node: '>=0.10.0'} + + strip-json-comments@3.1.1: + resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==} + engines: {node: '>=8'} + + styled-components@6.1.11: + resolution: {integrity: sha512-Ui0jXPzbp1phYij90h12ksljKGqF8ncGx+pjrNPsSPhbUUjWT2tD1FwGo2LF6USCnbrsIhNngDfodhxbegfEOA==} + engines: {node: '>= 16'} + peerDependencies: + react: '>= 16.8.0' + react-dom: '>= 16.8.0' + + stylis@4.3.2: + resolution: {integrity: sha512-bhtUjWd/z6ltJiQwg0dUfxEJ+W+jdqQd8TbWLWyeIJHlnsqmGLRFFd8e5mA0AZi/zx90smXRlN66YMTcaSFifg==} + + supports-color@7.2.0: + resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==} + engines: {node: '>=8'} + + supports-color@8.1.1: + resolution: {integrity: sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==} + engines: {node: '>=10'} + + swarm-js@0.1.42: + resolution: {integrity: sha512-BV7c/dVlA3R6ya1lMlSSNPLYrntt0LUq4YMgy3iwpCIc6rZnS5W2wUoctarZ5pXlpKtxDDf9hNziEkcfrxdhqQ==} + + symbol-tree@3.2.4: + resolution: {integrity: sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==} + + tar-fs@2.1.1: + resolution: {integrity: sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==} + + tar-stream@2.2.0: + resolution: {integrity: sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==} + engines: {node: '>=6'} + + tar@4.4.19: + resolution: {integrity: sha512-a20gEsvHnWe0ygBY8JbxoM4w3SJdhc7ZAuxkLqh+nvNQN2IOt0B5lLgM490X5Hl8FF0dl0tOf2ewFYAlIFgzVA==} + engines: {node: '>=4.5'} + + tar@6.2.1: + resolution: {integrity: sha512-DZ4yORTwrbTj/7MZYq2w+/ZFdI6OZ/f9SFHR+71gIVUZhOQPHzVCLpvRnPgyaMpfWxxk/4ONva3GQSyNIKRv6A==} + engines: {node: '>=10'} + + text-table@0.2.0: + resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==} + + thenify-all@1.6.0: + resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==} + engines: {node: '>=0.8'} + + thenify@3.3.1: + resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==} + + thread-stream@2.7.0: + resolution: {integrity: sha512-qQiRWsU/wvNolI6tbbCKd9iKaTnCXsTwVxhhKM6nctPdujTyztjlbUkUTUymidWcMnZ5pWR0ej4a0tjsW021vw==} + + through@2.3.8: + resolution: {integrity: sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==} + + timed-out@4.0.1: + resolution: {integrity: sha512-G7r3AhovYtr5YKOWQkta8RKAPb+J9IsO4uVmzjl8AZwfhs8UcUwTiD6gcJYSgOtzyjvQKrKYn41syHbUWMkafA==} + engines: {node: '>=0.10.0'} + + timers-ext@0.1.8: + resolution: {integrity: sha512-wFH7+SEAcKfJpfLPkrgMPvvwnEtj8W4IurvEyrKsDleXnKLCDw71w8jltvfLa8Rm4qQxxT4jmDBYbJG/z7qoww==} + engines: {node: '>=0.12'} + + tiny-emitter@2.1.0: + resolution: {integrity: sha512-NB6Dk1A9xgQPMoGqC5CVXn123gWyte215ONT5Pp5a0yt4nlEoO1ZWeCwpncaekPHXO60i47ihFnZPiRPjRMq4Q==} + + tinybench@2.9.0: + resolution: {integrity: sha512-0+DUvqWMValLmha6lr4kD8iAMK1HzV0/aKnCtWb9v9641TnP/MFb7Pc2bxoxQjTXAErryXVgUOfv2YqNllqGeg==} + + tinyexec@0.3.0: + resolution: {integrity: sha512-tVGE0mVJPGb0chKhqmsoosjsS+qUnJVGJpZgsHYQcGoPlG3B51R3PouqTgEGH2Dc9jjFyOqOpix6ZHNMXp1FZg==} + + tinyglobby@0.2.6: + resolution: {integrity: sha512-NbBoFBpqfcgd1tCiO8Lkfdk+xrA7mlLR9zgvZcZWQQwU63XAfUePyd6wZBaU93Hqw347lHnwFzttAkemHzzz4g==} + engines: {node: '>=12.0.0'} + + tinypool@1.0.0: + resolution: {integrity: sha512-KIKExllK7jp3uvrNtvRBYBWBOAXSX8ZvoaD8T+7KB/QHIuoJW3Pmr60zucywjAlMb5TeXUkcs/MWeWLu0qvuAQ==} + engines: {node: ^18.0.0 || >=20.0.0} + + tinyrainbow@1.2.0: + resolution: {integrity: sha512-weEDEq7Z5eTHPDh4xjX789+fHfF+P8boiFB+0vbWzpbnbsEr/GRaohi/uMKxg8RZMXnl1ItAi/IUHWMsjDV7kQ==} + engines: {node: '>=14.0.0'} + + tinyspy@3.0.0: + resolution: {integrity: sha512-q5nmENpTHgiPVd1cJDDc9cVoYN5x4vCvwT3FMilvKPKneCBZAxn2YWQjDF0UMcE9k0Cay1gBiDfTMU0g+mPMQA==} + engines: {node: '>=14.0.0'} + + tmp-promise@3.0.3: + resolution: {integrity: sha512-RwM7MoPojPxsOBYnyd2hy0bxtIlVrihNs9pj5SUvY8Zz1sQcQG2tG1hSr8PDxfgEB8RNKDhqbIlroIarSNDNsQ==} + + tmp@0.0.33: + resolution: {integrity: sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==} + engines: {node: '>=0.6.0'} + + tmp@0.2.3: + resolution: {integrity: sha512-nZD7m9iCPC5g0pYmcaxogYKggSfLsdxl8of3Q/oIbqCqLLIO9IAF0GWjX1z9NZRHPiXv8Wex4yDCaZsgEw0Y8w==} + engines: {node: '>=14.14'} + + to-fast-properties@2.0.0: + resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==} + engines: {node: '>=4'} + + to-regex-range@5.0.1: + resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} + engines: {node: '>=8.0'} + + toggle-selection@1.0.6: + resolution: {integrity: sha512-BiZS+C1OS8g/q2RRbJmy59xpyghNBqrr6k5L/uKBGRsTfxmu3ffiRnd8mlGPUVayg8pvfi5urfnu8TU7DVOkLQ==} + + toidentifier@1.0.1: + resolution: {integrity: sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==} + engines: {node: '>=0.6'} + + toml@3.0.0: + resolution: {integrity: sha512-y/mWCZinnvxjTKYhJ+pYxwD0mRLVvOtdS2Awbgxln6iEnt4rk0yBxeSBHkGJcPucRiG0e55mwWp+g/05rsrd6w==} + + totalist@3.0.1: + resolution: {integrity: sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ==} + engines: {node: '>=6'} + + tough-cookie@2.5.0: + resolution: {integrity: sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==} + engines: {node: '>=0.8'} + + tough-cookie@4.1.4: + resolution: {integrity: sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==} + engines: {node: '>=6'} + + tr46@0.0.3: + resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==} + + tr46@5.0.0: + resolution: {integrity: sha512-tk2G5R2KRwBd+ZN0zaEXpmzdKyOYksXwywulIX95MBODjSzMIuQnQ3m8JxgbhnL1LeVo7lqQKsYa1O3Htl7K5g==} + engines: {node: '>=18'} + + ts-api-utils@1.3.0: + resolution: {integrity: sha512-UQMIo7pb8WRomKR1/+MFVLTroIvDVtMX3K6OUir8ynLyzB8Jeriont2bTAtmNPa1ekAgN7YPDyf6V+ygrdU+eQ==} + engines: {node: '>=16'} + peerDependencies: + typescript: '>=4.2.0' + + ts-node@10.9.2: + resolution: {integrity: sha512-f0FFpIdcHgn8zcPSbf1dRevwt047YMnaiJM3u2w2RewrB+fob/zePZcrOyQoLMMO7aBIddLcQIEK5dYjkLnGrQ==} + hasBin: true + peerDependencies: + '@swc/core': '>=1.2.50' + '@swc/wasm': '>=1.2.50' + '@types/node': '*' + typescript: '>=2.7' + peerDependenciesMeta: + '@swc/core': + optional: true + '@swc/wasm': + optional: true + + tslib@1.14.1: + resolution: {integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==} + + tslib@2.4.0: + resolution: {integrity: sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==} + + tslib@2.6.2: + resolution: {integrity: sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==} + + tslib@2.6.3: + resolution: {integrity: sha512-xNvxJEOUiWPGhUuUdQgAJPKOOJfGnIyKySOc09XkKsgdUV/3E2zvwZYdejjmRgPCgcym1juLH3226yA7sEFJKQ==} + + tslib@2.7.0: + resolution: {integrity: sha512-gLXCKdN1/j47AiHiOkJN69hJmcbGTHI0ImLmbYLHykhgeN0jVGola9yVjFgzCUklsZQMW55o+dW7IXv3RCXDzA==} + + tsx@4.16.2: + resolution: {integrity: sha512-C1uWweJDgdtX2x600HjaFaucXTilT7tgUZHbOE4+ypskZ1OP8CRCSDkCxG6Vya9EwaFIVagWwpaVAn5wzypaqQ==} + engines: {node: '>=18.0.0'} + hasBin: true + + tunnel-agent@0.6.0: + resolution: {integrity: sha512-McnNiV1l8RYeY8tBgEpuodCC1mLUdbSN+CYBL7kJsJNInOP8UjDDEwdk6Mw60vdLLrr5NHKZhMAOSrR2NZuQ+w==} + + tweetnacl@0.14.5: + resolution: {integrity: sha512-KXXFFdAbFXY4geFIwoyNK+f5Z1b7swfXABfL7HXCmoIWMKU3dmS26672A4EeQtDzLKy7SXmfBu51JolvEKwtGA==} + + tweetnacl@1.0.3: + resolution: {integrity: sha512-6rt+RN7aOi1nGMyC4Xa5DdYiukl2UWCbcJft7YhxReBGQD7OAM8Pbxw6YMo4r2diNEA8FEmu32YOn9rhaiE5yw==} + + type-check@0.4.0: + resolution: {integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==} + engines: {node: '>= 0.8.0'} + + type-detect@4.0.8: + resolution: {integrity: sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==} + engines: {node: '>=4'} + + type-fest@0.13.1: + resolution: {integrity: sha512-34R7HTnG0XIJcBSn5XhDd7nNFPRcXYRZrBB2O2jdKqYODldSzBAqzsWoZYYvduky73toYS/ESqxPvkDf/F0XMg==} + engines: {node: '>=10'} + + type-fest@0.20.2: + resolution: {integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==} + engines: {node: '>=10'} + + type-fest@0.21.3: + resolution: {integrity: sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==} + engines: {node: '>=10'} + + type-is@1.6.18: + resolution: {integrity: sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==} + engines: {node: '>= 0.6'} + + type@2.7.3: + resolution: {integrity: sha512-8j+1QmAbPvLZow5Qpi6NCaN8FB60p/6x8/vfNqOk/hC+HuvFZhL4+WfekuhQLiqFZXOgQdrs3B+XxEmCc6b3FQ==} + + typed-function@4.2.1: + resolution: {integrity: sha512-EGjWssW7Tsk4DGfE+5yluuljS1OGYWiI1J6e8puZz9nTMM51Oug8CD5Zo4gWMsOhq5BI+1bF+rWTm4Vbj3ivRA==} + engines: {node: '>= 18'} + + typedarray-to-buffer@3.1.5: + resolution: {integrity: sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==} + + typeorm@0.3.20: + resolution: {integrity: sha512-sJ0T08dV5eoZroaq9uPKBoNcGslHBR4E4y+EBHs//SiGbblGe7IeduP/IH4ddCcj0qp3PHwDwGnuvqEAnKlq/Q==} + engines: {node: '>=16.13.0'} + hasBin: true + peerDependencies: + '@google-cloud/spanner': ^5.18.0 + '@sap/hana-client': ^2.12.25 + better-sqlite3: ^7.1.2 || ^8.0.0 || ^9.0.0 + hdb-pool: ^0.1.6 + ioredis: ^5.0.4 + mongodb: ^5.8.0 + mssql: ^9.1.1 || ^10.0.1 + mysql2: ^2.2.5 || ^3.0.1 + oracledb: ^6.3.0 + pg: ^8.5.1 + pg-native: ^3.0.0 + pg-query-stream: ^4.0.0 + redis: ^3.1.1 || ^4.0.0 + sql.js: ^1.4.0 + sqlite3: ^5.0.3 + ts-node: ^10.7.0 + typeorm-aurora-data-api-driver: ^2.0.0 + peerDependenciesMeta: + '@google-cloud/spanner': + optional: true + '@sap/hana-client': + optional: true + better-sqlite3: + optional: true + hdb-pool: + optional: true + ioredis: + optional: true + mongodb: + optional: true + mssql: + optional: true + mysql2: + optional: true + oracledb: + optional: true + pg: + optional: true + pg-native: + optional: true + pg-query-stream: + optional: true + redis: + optional: true + sql.js: + optional: true + sqlite3: + optional: true + ts-node: + optional: true + typeorm-aurora-data-api-driver: + optional: true + + typescript@4.9.5: + resolution: {integrity: sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==} + engines: {node: '>=4.2.0'} + hasBin: true + + typescript@5.6.2: + resolution: {integrity: sha512-NW8ByodCSNCwZeghjN3o+JX5OFH0Ojg6sadjEKY4huZ52TqbJTJnDo5+Tw98lSy63NZvi4n+ez5m2u5d4PkZyw==} + engines: {node: '>=14.17'} + hasBin: true + + uint8arrays@3.1.1: + resolution: {integrity: sha512-+QJa8QRnbdXVpHYjLoTpJIdCTiw9Ir62nocClWuXIq2JIh4Uta0cQsTSpFL678p2CN8B+XSApwcU+pQEqVpKWg==} + + ultron@1.1.1: + resolution: {integrity: sha512-UIEXBNeYmKptWH6z8ZnqTeS8fV74zG0/eRU9VGkpzz+LIJNs8W/zM/L+7ctCkRrgbNnnR0xxw4bKOr0cW0N0Og==} + + undici-types@5.26.5: + resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==} + + undici-types@6.19.8: + resolution: {integrity: sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==} + + unique-filename@1.1.1: + resolution: {integrity: sha512-Vmp0jIp2ln35UTXuryvjzkjGdRyf9b2lTXuSYUiPmzRcl3FDtYqAwOnTJkAngD9SWhnoJzDbTKwaOrZ+STtxNQ==} + + unique-slug@2.0.2: + resolution: {integrity: sha512-zoWr9ObaxALD3DOPfjPSqxt4fnZiWblxHIgeWqW8x7UqDzEtHEQLzji2cuJYQFCU6KmoJikOYAZlrTHHebjx2w==} + + universal-github-app-jwt@2.2.0: + resolution: {integrity: sha512-G5o6f95b5BggDGuUfKDApKaCgNYy2x7OdHY0zSMF081O0EJobw+1130VONhrA7ezGSV2FNOGyM+KQpQZAr9bIQ==} + + universal-user-agent@7.0.2: + resolution: {integrity: sha512-0JCqzSKnStlRRQfCdowvqy3cy0Dvtlb8xecj/H8JFZuCze4rwjPZQOgvFvn0Ws/usCHQFGpyr+pB9adaGwXn4Q==} + + universalify@0.1.2: + resolution: {integrity: sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==} + engines: {node: '>= 4.0.0'} + + universalify@0.2.0: + resolution: {integrity: sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==} + engines: {node: '>= 4.0.0'} + + universalify@2.0.1: + resolution: {integrity: sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==} + engines: {node: '>= 10.0.0'} + + unpipe@1.0.0: + resolution: {integrity: sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==} + engines: {node: '>= 0.8'} + + uri-js@4.4.1: + resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==} + + url-parse@1.5.10: + resolution: {integrity: sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==} + + url-set-query@1.0.0: + resolution: {integrity: sha512-3AChu4NiXquPfeckE5R5cGdiHCMWJx1dwCWOmWIL4KHAziJNOFIYJlpGFeKDvwLPHovZRCxK3cYlwzqI9Vp+Gg==} + + utf-8-validate@5.0.10: + resolution: {integrity: sha512-Z6czzLq4u8fPOyx7TU6X3dvUZVvoJmxSQ+IcrlmagKhilxlhZgxPK6C5Jqbkw1IDUmFTM+cz9QDnnLTwDz/2gQ==} + engines: {node: '>=6.14.2'} + + utf8@3.0.0: + resolution: {integrity: sha512-E8VjFIQ/TyQgp+TZfS6l8yp/xWppSAHzidGiRrqe4bK4XP9pTRyKFgGJpO3SN7zdX4DeomTrwaseCHovfpFcqQ==} + + util-deprecate@1.0.2: + resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==} + + util@0.12.5: + resolution: {integrity: sha512-kZf/K6hEIrWHI6XqOFUiiMa+79wE/D8Q+NCNAWclkyg3b4d2k7s0QGepNjiABc+aR3N1PAyHL7p6UcLY6LmrnA==} + + utils-merge@1.0.1: + resolution: {integrity: sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==} + engines: {node: '>= 0.4.0'} + + uuid@3.4.0: + resolution: {integrity: sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==} + deprecated: Please upgrade to version 7 or higher. Older versions may use Math.random() in certain circumstances, which is known to be problematic. See https://v8.dev/blog/math-random for details. + hasBin: true + + uuid@9.0.1: + resolution: {integrity: sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA==} + hasBin: true + + v8-compile-cache-lib@3.0.1: + resolution: {integrity: sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==} + + varint@5.0.2: + resolution: {integrity: sha512-lKxKYG6H03yCZUpAGOPOsMcGxd1RHCu1iKvEHYDPmTyq2HueGhD73ssNBqqQWfvYs04G9iUFRvmAVLW20Jw6ow==} + + vary@1.1.2: + resolution: {integrity: sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==} + engines: {node: '>= 0.8'} + + verror@1.10.0: + resolution: {integrity: sha512-ZZKSmDAEFOijERBLkmYfJ+vmk3w+7hOLYDNkRCuRuMJGEmqYNCNLyBBFwWKVMhfwaEF3WOd0Zlw86U/WC/+nYw==} + engines: {'0': node >=0.6.0} + + viem@2.17.3: + resolution: {integrity: sha512-FY/1uBQWfko4Esy8mU1RamvL64TLy91LZwFyQJ20E6AI3vTTEOctWfSn0pkMKa3okq4Gxs5dJE7q1hmWOQ7xcw==} + peerDependencies: + typescript: '>=5.0.4' + peerDependenciesMeta: + typescript: + optional: true + + viem@2.21.14: + resolution: {integrity: sha512-uM6XmY9Q/kJRVSopJAGsakmtNDpk/EswqXUzwOp9DzhGuwgpWtw2MgwpfFdIyqBDFIw+TTypCIUTcwJSgEYSzA==} + peerDependencies: + typescript: '>=5.0.4' + peerDependenciesMeta: + typescript: + optional: true + + vite-node@2.1.1: + resolution: {integrity: sha512-N/mGckI1suG/5wQI35XeR9rsMsPqKXzq1CdUndzVstBj/HvyxxGctwnK6WX43NGt5L3Z5tcRf83g4TITKJhPrA==} + engines: {node: ^18.0.0 || >=20.0.0} + hasBin: true + + vite@5.1.6: + resolution: {integrity: sha512-yYIAZs9nVfRJ/AiOLCA91zzhjsHUgMjB+EigzFb6W2XTLO8JixBCKCjvhKZaye+NKYHCrkv3Oh50dH9EdLU2RA==} + engines: {node: ^18.0.0 || >=20.0.0} + hasBin: true + peerDependencies: + '@types/node': ^18.0.0 || >=20.0.0 + less: '*' + lightningcss: ^1.21.0 + sass: '*' + stylus: '*' + sugarss: '*' + terser: ^5.4.0 + peerDependenciesMeta: + '@types/node': + optional: true + less: + optional: true + lightningcss: + optional: true + sass: + optional: true + stylus: + optional: true + sugarss: + optional: true + terser: + optional: true + + vitest@2.1.1: + resolution: {integrity: sha512-97We7/VC0e9X5zBVkvt7SGQMGrRtn3KtySFQG5fpaMlS+l62eeXRQO633AYhSTC3z7IMebnPPNjGXVGNRFlxBA==} + engines: {node: ^18.0.0 || >=20.0.0} + hasBin: true + peerDependencies: + '@edge-runtime/vm': '*' + '@types/node': ^18.0.0 || >=20.0.0 + '@vitest/browser': 2.1.1 + '@vitest/ui': 2.1.1 + happy-dom: '*' + jsdom: '*' + peerDependenciesMeta: + '@edge-runtime/vm': + optional: true + '@types/node': + optional: true + '@vitest/browser': + optional: true + '@vitest/ui': + optional: true + happy-dom: + optional: true + jsdom: + optional: true + + vue@3.4.31: + resolution: {integrity: sha512-njqRrOy7W3YLAlVqSKpBebtZpDVg21FPoaq1I7f/+qqBThK9ChAIjkRWgeP6Eat+8C+iia4P3OYqpATP21BCoQ==} + peerDependencies: + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + + w3c-xmlserializer@5.0.0: + resolution: {integrity: sha512-o8qghlI8NZHU1lLPrpi2+Uq7abh4GGPpYANlalzWxyWteJOCsr/P+oPBA49TOLu5FTZO4d3F9MnWJfiMo4BkmA==} + engines: {node: '>=18'} + + wcwidth@1.0.1: + resolution: {integrity: sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==} + + web-streams-polyfill@3.2.1: + resolution: {integrity: sha512-e0MO3wdXWKrLbL0DgGnUV7WHVuw9OUvL4hjgnPkIeEvESk74gAITi5G606JtZPp39cd8HA9VQzCIvA49LpPN5Q==} + engines: {node: '>= 8'} + + web3-bzz@1.10.4: + resolution: {integrity: sha512-ZZ/X4sJ0Uh2teU9lAGNS8EjveEppoHNQiKlOXAjedsrdWuaMErBPdLQjXfcrYvN6WM6Su9PMsAxf3FXXZ+HwQw==} + engines: {node: '>=8.0.0'} + + web3-core-helpers@1.10.4: + resolution: {integrity: sha512-r+L5ylA17JlD1vwS8rjhWr0qg7zVoVMDvWhajWA5r5+USdh91jRUYosp19Kd1m2vE034v7Dfqe1xYRoH2zvG0g==} + engines: {node: '>=8.0.0'} + + web3-core-method@1.10.4: + resolution: {integrity: sha512-uZTb7flr+Xl6LaDsyTeE2L1TylokCJwTDrIVfIfnrGmnwLc6bmTWCCrm71sSrQ0hqs6vp/MKbQYIYqUN0J8WyA==} + engines: {node: '>=8.0.0'} + + web3-core-promievent@1.10.4: + resolution: {integrity: sha512-2de5WnJQ72YcIhYwV/jHLc4/cWJnznuoGTJGD29ncFQHAfwW/MItHFSVKPPA5v8AhJe+r6y4Y12EKvZKjQVBvQ==} + engines: {node: '>=8.0.0'} + + web3-core-requestmanager@1.10.4: + resolution: {integrity: sha512-vqP6pKH8RrhT/2MoaU+DY/OsYK9h7HmEBNCdoMj+4ZwujQtw/Mq2JifjwsJ7gits7Q+HWJwx8q6WmQoVZAWugg==} + engines: {node: '>=8.0.0'} + + web3-core-subscriptions@1.10.4: + resolution: {integrity: sha512-o0lSQo/N/f7/L76C0HV63+S54loXiE9fUPfHFcTtpJRQNDBVsSDdWRdePbWwR206XlsBqD5VHApck1//jEafTw==} + engines: {node: '>=8.0.0'} + + web3-core@1.10.4: + resolution: {integrity: sha512-B6elffYm81MYZDTrat7aEhnhdtVE3lDBUZft16Z8awYMZYJDbnykEbJVS+l3mnA7AQTnSDr/1MjWofGDLBJPww==} + engines: {node: '>=8.0.0'} + + web3-core@4.5.0: + resolution: {integrity: sha512-Q8LIAqmF7vkRydBPiU+OC7wI44nEU6JEExolFaOakqrjMtQ1CWFHRUQMNJRDsk5bRirjyShuAsuqLeYByvvXhg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-core@4.6.0: + resolution: {integrity: sha512-j8uQ/7zSwpmLClMMeZb736Ok3V4cWSd0dnd29jkd10d1pedi32r+hSAgycxSJLLWtPHOzMBIXUjj3TF/IAClVQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-errors@1.2.0: + resolution: {integrity: sha512-58Kczou5zyjcm9LuSs5Hrm6VrG8t9p2J8X0yGArZrhKNPZL66gMGkOUpPx+EopE944Sk4yE+Q25hKv4H5BH+kA==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-errors@1.3.0: + resolution: {integrity: sha512-j5JkAKCtuVMbY3F5PYXBqg1vWrtF4jcyyMY1rlw8a4PV67AkqlepjGgpzWJZd56Mt+TvHy6DA1F/3Id8LatDSQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-abi@1.10.4: + resolution: {integrity: sha512-cZ0q65eJIkd/jyOlQPDjr8X4fU6CRL1eWgdLwbWEpo++MPU/2P4PFk5ZLAdye9T5Sdp+MomePPJ/gHjLMj2VfQ==} + engines: {node: '>=8.0.0'} + + web3-eth-abi@4.2.2: + resolution: {integrity: sha512-akbGi642UtKG3k3JuLbhl9KuG7LM/cXo/by2WfdwfOptGZrzRsWJNWje1d2xfw1n9kkVG9SAMvPJl1uSyR3dfw==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-abi@4.2.4: + resolution: {integrity: sha512-FGoj/ENm/Iq3+6myJyiDCwbFkha9ZCx2fRdiIdw3mp7S4lgu+ay3EVzQPRxJjNBm09UEfxB9yoSAPKj9Z3Mbxg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-accounts@1.10.4: + resolution: {integrity: sha512-ysy5sVTg9snYS7tJjxVoQAH6DTOTkRGR8emEVCWNGLGiB9txj+qDvSeT0izjurS/g7D5xlMAgrEHLK1Vi6I3yg==} + engines: {node: '>=8.0.0'} + + web3-eth-accounts@4.1.2: + resolution: {integrity: sha512-y0JynDeTDnclyuE9mShXLeEj+BCrPHxPHOyPCgTchUBQsALF9+0OhP7WiS3IqUuu0Hle5bjG2f5ddeiPtNEuLg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-accounts@4.2.1: + resolution: {integrity: sha512-aOlEZFzqAgKprKs7+DGArU4r9b+ILBjThpeq42aY7LAQcP+mSpsWcQgbIRK3r/n3OwTYZ3aLPk0Ih70O/LwnYA==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-contract@1.10.4: + resolution: {integrity: sha512-Q8PfolOJ4eV9TvnTj1TGdZ4RarpSLmHnUnzVxZ/6/NiTfe4maJz99R0ISgwZkntLhLRtw0C7LRJuklzGYCNN3A==} + engines: {node: '>=8.0.0'} + + web3-eth-contract@4.5.0: + resolution: {integrity: sha512-AX6OiDrIryz/T28k9Xz0gXpUrlOUjcooEgGluu2s5dFDWCPM/zlN5RsUZlXZiXpQyj52VCUy5+bkvu3yDPA4fg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-contract@4.7.0: + resolution: {integrity: sha512-fdStoBOjFyMHwlyJmSUt/BTDL1ATwKGmG3zDXQ/zTKlkkW/F/074ut0Vry4GuwSBg9acMHc0ycOiZx9ZKjNHsw==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-ens@1.10.4: + resolution: {integrity: sha512-LLrvxuFeVooRVZ9e5T6OWKVflHPFgrVjJ/jtisRWcmI7KN/b64+D/wJzXqgmp6CNsMQcE7rpmf4CQmJCrTdsgg==} + engines: {node: '>=8.0.0'} + + web3-eth-ens@4.4.0: + resolution: {integrity: sha512-DeyVIS060hNV9g8dnTx92syqvgbvPricE3MerCxe/DquNZT3tD8aVgFfq65GATtpCgDDJffO2bVeHp3XBemnSQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-iban@1.10.4: + resolution: {integrity: sha512-0gE5iNmOkmtBmbKH2aTodeompnNE8jEyvwFJ6s/AF6jkw9ky9Op9cqfzS56AYAbrqEFuClsqB/AoRves7LDELw==} + engines: {node: '>=8.0.0'} + + web3-eth-iban@4.0.7: + resolution: {integrity: sha512-8weKLa9KuKRzibC87vNLdkinpUE30gn0IGY027F8doeJdcPUfsa4IlBgNC4k4HLBembBB2CTU0Kr/HAOqMeYVQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-personal@1.10.4: + resolution: {integrity: sha512-BRa/hs6jU1hKHz+AC/YkM71RP3f0Yci1dPk4paOic53R4ZZG4MgwKRkJhgt3/GPuPliwS46f/i5A7fEGBT4F9w==} + engines: {node: '>=8.0.0'} + + web3-eth-personal@4.0.8: + resolution: {integrity: sha512-sXeyLKJ7ddQdMxz1BZkAwImjqh7OmKxhXoBNF3isDmD4QDpMIwv/t237S3q4Z0sZQamPa/pHebJRWVuvP8jZdw==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth-personal@4.1.0: + resolution: {integrity: sha512-RFN83uMuvA5cu1zIwwJh9A/bAj0OBxmGN3tgx19OD/9ygeUZbifOL06jgFzN0t+1ekHqm3DXYQM8UfHpXi7yDQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth@1.10.4: + resolution: {integrity: sha512-Sql2kYKmgt+T/cgvg7b9ce24uLS7xbFrxE4kuuor1zSCGrjhTJ5rRNG8gTJUkAJGKJc7KgnWmgW+cOfMBPUDSA==} + engines: {node: '>=8.0.0'} + + web3-eth@4.8.0: + resolution: {integrity: sha512-fobkdpwN9SH785/0LSLfxOMH4rZNAD/EvTKIHdpl4ZVz5XdKehX+xPMpSGDGwMlAQ7yXByjZDX3opzoqEQLWxg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-eth@4.9.0: + resolution: {integrity: sha512-lE+5rQUkQq1Mzf3uZ/tlay8nvMyC/CmaRFRFQ015OZuvSrRr/byZhhkzY5ZWkIetESTMqfWapu67yeHebcHxwA==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-net@1.10.4: + resolution: {integrity: sha512-mKINnhOOnZ4koA+yV2OT5s5ztVjIx7IY9a03w6s+yao/BUn+Luuty0/keNemZxTr1E8Ehvtn28vbOtW7Ids+Ow==} + engines: {node: '>=8.0.0'} + + web3-net@4.1.0: + resolution: {integrity: sha512-WWmfvHVIXWEoBDWdgKNYKN8rAy6SgluZ0abyRyXOL3ESr7ym7pKWbfP4fjApIHlYTh8tNqkrdPfM4Dyi6CA0SA==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-providers-http@1.10.4: + resolution: {integrity: sha512-m2P5Idc8hdiO0l60O6DSCPw0kw64Zgi0pMjbEFRmxKIck2Py57RQMu4bxvkxJwkF06SlGaEQF8rFZBmuX7aagQ==} + engines: {node: '>=8.0.0'} + + web3-providers-http@4.1.0: + resolution: {integrity: sha512-6qRUGAhJfVQM41E5t+re5IHYmb5hSaLc02BE2MaRQsz2xKA6RjmHpOA5h/+ojJxEpI9NI2CrfDKOAgtJfoUJQg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-providers-http@4.2.0: + resolution: {integrity: sha512-IPMnDtHB7dVwaB7/mMxAZzyq7d5ezfO1+Vw0bNfAeIi7gaDlJiggp85SdyAfOgov8AMUA/dyiY72kQ0KmjXKvQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-providers-ipc@1.10.4: + resolution: {integrity: sha512-YRF/bpQk9z3WwjT+A6FI/GmWRCASgd+gC0si7f9zbBWLXjwzYAKG73bQBaFRAHex1hl4CVcM5WUMaQXf3Opeuw==} + engines: {node: '>=8.0.0'} + + web3-providers-ipc@4.0.7: + resolution: {integrity: sha512-YbNqY4zUvIaK2MHr1lQFE53/8t/ejHtJchrWn9zVbFMGXlTsOAbNoIoZWROrg1v+hCBvT2c9z8xt7e/+uz5p1g==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-providers-ws@1.10.4: + resolution: {integrity: sha512-j3FBMifyuFFmUIPVQR4pj+t5ILhAexAui0opgcpu9R5LxQrLRUZxHSnU+YO25UycSOa/NAX8A+qkqZNpcFAlxA==} + engines: {node: '>=8.0.0'} + + web3-providers-ws@4.0.7: + resolution: {integrity: sha512-n4Dal9/rQWjS7d6LjyEPM2R458V8blRm0eLJupDEJOOIBhGYlxw5/4FthZZ/cqB7y/sLVi7K09DdYx2MeRtU5w==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-providers-ws@4.0.8: + resolution: {integrity: sha512-goJdgata7v4pyzHRsg9fSegUG4gVnHZSHODhNnn6J93ykHkBI1nz4fjlGpcQLUMi4jAMz6SHl9Ibzs2jj9xqPw==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-rpc-methods@1.3.0: + resolution: {integrity: sha512-/CHmzGN+IYgdBOme7PdqzF+FNeMleefzqs0LVOduncSaqsppeOEoskLXb2anSpzmQAP3xZJPaTrkQPWSJMORig==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-rpc-providers@1.0.0-rc.0: + resolution: {integrity: sha512-lmBOZ4PE+wf5JyptPZJ+GHeGPyTBfnCRbrfOxWLU+Q7g+D6NukgS3fk2xcunEvUsR/b5fp+uXk0TkmhX9/GCKg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-rpc-providers@1.0.0-rc.2: + resolution: {integrity: sha512-ocFIEXcBx/DYQ90HhVepTBUVnL9pGsZw8wyPb1ZINSenwYus9SvcFkjU1Hfvd/fXjuhAv2bUVch9vxvMx1mXAQ==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-shh@1.10.4: + resolution: {integrity: sha512-cOH6iFFM71lCNwSQrC3niqDXagMqrdfFW85hC9PFUrAr3PUrIem8TNstTc3xna2bwZeWG6OBy99xSIhBvyIACw==} + engines: {node: '>=8.0.0'} + + web3-types@1.7.0: + resolution: {integrity: sha512-nhXxDJ7a5FesRw9UG5SZdP/C/3Q2EzHGnB39hkAV+YGXDMgwxBXFWebQLfEzZzuArfHnvC0sQqkIHNwSKcVjdA==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-types@1.8.0: + resolution: {integrity: sha512-Z51wFLPGhZM/1uDxrxE8gzju3t2aEdRGn+YmLX463id5UjTuMEmP/9in1GFjqrsPB3m86czs8RnGBUt3ovueMw==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-utils@1.10.4: + resolution: {integrity: sha512-tsu8FiKJLk2PzhDl9fXbGUWTkkVXYhtTA+SmEFkKft+9BgwLxfCRpU96sWv7ICC8zixBNd3JURVoiR3dUXgP8A==} + engines: {node: '>=8.0.0'} + + web3-utils@4.3.0: + resolution: {integrity: sha512-fGG2IZr0XB1vEoWZiyJzoy28HpsIfZgz4mgPeQA9aj5rIx8z0o80qUPtIyrCYX/Bo2gYALlV5SWIJWxJNUQn9Q==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-utils@4.3.1: + resolution: {integrity: sha512-kGwOk8FxOLJ9DQC68yqNQc7AzN+k9YDLaW+ZjlAXs3qORhf8zXk5SxWAAGLbLykMs3vTeB0FTb1Exut4JEYfFA==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3-validator@2.0.6: + resolution: {integrity: sha512-qn9id0/l1bWmvH4XfnG/JtGKKwut2Vokl6YXP5Kfg424npysmtRLe9DgiNBM9Op7QL/aSiaA0TVXibuIuWcizg==} + engines: {node: '>=14', npm: '>=6.12.0'} + + web3@1.10.4: + resolution: {integrity: sha512-kgJvQZjkmjOEKimx/tJQsqWfRDPTTcBfYPa9XletxuHLpHcXdx67w8EFn5AW3eVxCutE9dTVHgGa9VYe8vgsEA==} + engines: {node: '>=8.0.0'} + + web3@4.10.0: + resolution: {integrity: sha512-0A0SEZG4QL5DRtZQtF1pL+LldHn0kAAb4/vUdQua1k4CrZ+hRoDAc3dfFZw94EOV69oXuAFo8fqhITxyWfCHaw==} + engines: {node: '>=14.0.0', npm: '>=6.12.0'} + + web3@4.13.0: + resolution: {integrity: sha512-wRXTu/YjelvBJ7PSLzp/rW8/6pqj4RlXzdKSkjk01RaHDvnpLogLU/VL8OF5ygqhY7IzhY5MSrl9SnC8C9Z4uA==} + engines: {node: '>=14.0.0', npm: '>=6.12.0'} + + webauthn-p256@0.0.5: + resolution: {integrity: sha512-drMGNWKdaixZNobeORVIqq7k5DsRC9FnG201K2QjeOoQLmtSDaSsVZdkg6n5jUALJKcAG++zBPJXmv6hy0nWFg==} + + webidl-conversions@3.0.1: + resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==} + + webidl-conversions@7.0.0: + resolution: {integrity: sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==} + engines: {node: '>=12'} + + websocket@1.0.35: + resolution: {integrity: sha512-/REy6amwPZl44DDzvRCkaI1q1bIiQB0mEFQLUrhz3z2EK91cp3n72rAjUlrTP0zV22HJIUOVHQGPxhFRjxjt+Q==} + engines: {node: '>=4.0.0'} + + whatwg-encoding@3.1.1: + resolution: {integrity: sha512-6qN4hJdMwfYBtE3YBTTHhoeuUrDBPZmbQaxWAqSALV/MeEnR5z1xd8UKud2RAkFoPkmB+hli1TZSnyi84xz1vQ==} + engines: {node: '>=18'} + + whatwg-mimetype@4.0.0: + resolution: {integrity: sha512-QaKxh0eNIi2mE9p2vEdzfagOKHCcj1pJ56EEHGQOVxp8r9/iszLUUV7v89x9O1p/T+NlTM5W7jW6+cz4Fq1YVg==} + engines: {node: '>=18'} + + whatwg-url@14.0.0: + resolution: {integrity: sha512-1lfMEm2IEr7RIV+f4lUNPOqfFL+pO+Xw3fJSqmjX9AbXcXcYOkCe1P6+9VBZB6n94af16NfZf+sSk0JCBZC9aw==} + engines: {node: '>=18'} + + whatwg-url@5.0.0: + resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==} + + which-boxed-primitive@1.0.2: + resolution: {integrity: sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==} + + which-collection@1.0.2: + resolution: {integrity: sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==} + engines: {node: '>= 0.4'} + + which-typed-array@1.1.15: + resolution: {integrity: sha512-oV0jmFtUky6CXfkqehVvBP/LSWJ2sy4vWMioiENyJLePrBO/yKyV9OyJySfAKosh+RYkIl5zJCNZ8/4JncrpdA==} + engines: {node: '>= 0.4'} + + which@2.0.2: + resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==} + engines: {node: '>= 8'} + hasBin: true + + why-is-node-running@2.3.0: + resolution: {integrity: sha512-hUrmaWBdVDcxvYqnyh09zunKzROWjbZTiNy8dBEjkS7ehEDQibXJ7XvlmtbwuTclUiIyN+CyXQD4Vmko8fNm8w==} + engines: {node: '>=8'} + hasBin: true + + wide-align@1.1.5: + resolution: {integrity: sha512-eDMORYaPNZ4sQIuuYPDHdQvf4gyCF9rEEV/yPxGfwPkRodwEgiMUUXTx/dex+Me0wxx53S+NgUHaP7y3MGlDmg==} + + window-size@1.1.1: + resolution: {integrity: sha512-5D/9vujkmVQ7pSmc0SCBmHXbkv6eaHwXEx65MywhmUMsI8sGqJ972APq1lotfcwMKPFLuCFfL8xGHLIp7jaBmA==} + engines: {node: '>= 0.10.0'} + hasBin: true + + word-wrap@1.2.5: + resolution: {integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==} + engines: {node: '>=0.10.0'} + + workerpool@6.2.1: + resolution: {integrity: sha512-ILEIE97kDZvF9Wb9f6h5aXK4swSlKGUcOEGiIYb2OOu/IrDU9iwj0fD//SsA6E5ibwJxpEvhullJY4Sl4GcpAw==} + + workerpool@6.5.1: + resolution: {integrity: sha512-Fs4dNYcsdpYSAfVxhnl1L5zTksjvOJxtC5hzMNl+1t9B8hTJTdKDyZ5ju7ztgPy+ft9tBFXoOlDNiOT9WUXZlA==} + + wrap-ansi@6.2.0: + resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==} + engines: {node: '>=8'} + + wrap-ansi@7.0.0: + resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==} + engines: {node: '>=10'} + + wrap-ansi@8.1.0: + resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==} + engines: {node: '>=12'} + + wrappy@1.0.2: + resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==} + + ws@3.3.3: + resolution: {integrity: sha512-nnWLa/NwZSt4KQJu51MYlCcSQ5g7INpOrOMt4XV8j4dqTXdmlUmSHQ8/oLC069ckre0fRsgfvsKwbTdtKLCDkA==} + peerDependencies: + bufferutil: ^4.0.1 + utf-8-validate: ^5.0.2 + peerDependenciesMeta: + bufferutil: + optional: true + utf-8-validate: + optional: true + + ws@8.17.1: + resolution: {integrity: sha512-6XQFvXTkbfUOZOKKILFG1PDK2NDQs4azKQl26T0YS5CxqWLgXajbPZ+h4gZekJyRqFU8pvnbAbbs/3TgRPy+GQ==} + engines: {node: '>=10.0.0'} + peerDependencies: + bufferutil: ^4.0.1 + utf-8-validate: '>=5.0.2' + peerDependenciesMeta: + bufferutil: + optional: true + utf-8-validate: + optional: true + + ws@8.18.0: + resolution: {integrity: sha512-8VbfWfHLbbwu3+N6OKsOMpBdT4kXPDDB9cJk2bJ6mh9ucxdlnNvH1e+roYkKmN9Nxw2yjz7VzeO9oOz2zJ04Pw==} + engines: {node: '>=10.0.0'} + peerDependencies: + bufferutil: ^4.0.1 + utf-8-validate: '>=5.0.2' + peerDependenciesMeta: + bufferutil: + optional: true + utf-8-validate: + optional: true + + xhr-request-promise@0.1.3: + resolution: {integrity: sha512-YUBytBsuwgitWtdRzXDDkWAXzhdGB8bYm0sSzMPZT7Z2MBjMSTHFsyCT1yCRATY+XC69DUrQraRAEgcoCRaIPg==} + + xhr-request@1.1.0: + resolution: {integrity: sha512-Y7qzEaR3FDtL3fP30k9wO/e+FBnBByZeybKOhASsGP30NIkRAAkKD/sCnLvgEfAIEC1rcmK7YG8f4oEnIrrWzA==} + + xhr@2.6.0: + resolution: {integrity: sha512-/eCGLb5rxjx5e3mF1A7s+pLlR6CGyqWN91fv1JgER5mVWg1MZmlhBvy9kjcsOdRk8RrIujotWyJamfyrp+WIcA==} + + xml-name-validator@5.0.0: + resolution: {integrity: sha512-EvGK8EJ3DhaHfbRlETOWAS5pO9MZITeauHKJyb8wyajUfQUenkIg2MvLDTZ4T/TgIcm3HU0TFBgWWboAZ30UHg==} + engines: {node: '>=18'} + + xmlchars@2.2.0: + resolution: {integrity: sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==} + + xtend@4.0.2: + resolution: {integrity: sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==} + engines: {node: '>=0.4'} + + xxhashjs@0.2.2: + resolution: {integrity: sha512-AkTuIuVTET12tpsVIQo+ZU6f/qDmKuRUcjaqR+OIvm+aCBsZ95i7UVY5WJ9TMsSaZ0DA2WxoZ4acu0sPH+OKAw==} + + y18n@5.0.8: + resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==} + engines: {node: '>=10'} + + yaeti@0.0.6: + resolution: {integrity: sha512-MvQa//+KcZCUkBTIC9blM+CU9J2GzuTytsOUwf2lidtvkx/6gnEp1QvJv34t9vdjhFmha/mUiNDbN0D0mJWdug==} + engines: {node: '>=0.10.32'} + + yallist@3.1.1: + resolution: {integrity: sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==} + + yallist@4.0.0: + resolution: {integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==} + + yaml@2.4.5: + resolution: {integrity: sha512-aBx2bnqDzVOyNKfsysjA2ms5ZlnjSAW2eG3/L5G/CSujfjLJTJsEw1bGw8kCf04KodQWk1pxlGnZ56CRxiawmg==} + engines: {node: '>= 14'} + hasBin: true + + yaml@2.5.1: + resolution: {integrity: sha512-bLQOjaX/ADgQ20isPJRvF0iRUHIxVhYvr53Of7wGcWlO2jvtUlH5m87DsmulFVxRpNLOnI4tB6p/oh8D7kpn9Q==} + engines: {node: '>= 14'} + hasBin: true + + yargs-parser@20.2.4: + resolution: {integrity: sha512-WOkpgNhPTlE73h4VFAFsOnomJVaovO8VqLDzy5saChRBFQFBoMYirowyW+Q9HB4HFF4Z7VZTiG3iSzJJA29yRA==} + engines: {node: '>=10'} + + yargs-parser@20.2.9: + resolution: {integrity: sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==} + engines: {node: '>=10'} + + yargs-parser@21.1.1: + resolution: {integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==} + engines: {node: '>=12'} + + yargs-unparser@2.0.0: + resolution: {integrity: sha512-7pRTIA9Qc1caZ0bZ6RYRGbHJthJWuakf+WmHK0rVeLkNrrGhfoabBNdue6kdINI6r4if7ocq9aD/n7xwKOdzOA==} + engines: {node: '>=10'} + + yargs@16.2.0: + resolution: {integrity: sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw==} + engines: {node: '>=10'} + + yargs@17.7.2: + resolution: {integrity: sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==} + engines: {node: '>=12'} + + yn@3.1.1: + resolution: {integrity: sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==} + engines: {node: '>=6'} + + yocto-queue@0.1.0: + resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==} + engines: {node: '>=10'} + + yoctocolors-cjs@2.1.2: + resolution: {integrity: sha512-cYVsTjKl8b+FrnidjibDWskAv7UKOfcwaVZdp/it9n1s9fU3IkgDbhdIRKCW4JDsAlECJY0ytoVPT3sK6kideA==} + engines: {node: '>=18'} + + zod@3.23.8: + resolution: {integrity: sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==} + +snapshots: + + '@acala-network/chopsticks-core@0.15.0': + dependencies: + '@acala-network/chopsticks-executor': 0.15.0 + '@polkadot/rpc-provider': 12.4.2 + '@polkadot/types': 12.4.2 + '@polkadot/types-codec': 12.4.2 + '@polkadot/types-known': 12.4.2 + '@polkadot/util': 13.1.1 + '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) + comlink: 4.4.1 + eventemitter3: 5.0.1 + lodash: 4.17.21 + lru-cache: 10.3.0 + pino: 8.21.0 + pino-pretty: 11.2.1 + rxjs: 7.8.1 + zod: 3.23.8 + transitivePeerDependencies: + - bufferutil + - supports-color + - utf-8-validate + + '@acala-network/chopsticks-db@0.15.0': + dependencies: + '@acala-network/chopsticks-core': 0.15.0 + '@polkadot/util': 13.1.1 + idb: 8.0.0 + sqlite3: 5.1.7 + typeorm: 0.3.20(sqlite3@5.1.7) + transitivePeerDependencies: + - '@google-cloud/spanner' + - '@sap/hana-client' + - better-sqlite3 + - bluebird + - bufferutil + - hdb-pool + - ioredis + - mongodb + - mssql + - mysql2 + - oracledb + - pg + - pg-native + - pg-query-stream + - redis + - sql.js + - supports-color + - ts-node + - typeorm-aurora-data-api-driver + - utf-8-validate + + '@acala-network/chopsticks-executor@0.15.0': + dependencies: + '@polkadot/util': 13.1.1 + '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) + + '@acala-network/chopsticks@0.15.0(debug@4.3.7)': + dependencies: + '@acala-network/chopsticks-core': 0.15.0 + '@acala-network/chopsticks-db': 0.15.0 + '@pnpm/npm-conf': 2.2.2 + '@polkadot/api': 12.4.2 + '@polkadot/api-augment': 12.4.2 + '@polkadot/rpc-provider': 12.4.2 + '@polkadot/types': 12.4.2 + '@polkadot/util': 13.1.1 + '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) + axios: 1.7.7(debug@4.3.7) + comlink: 4.4.1 + dotenv: 16.4.5 + global-agent: 3.0.0 + js-yaml: 4.1.0 + jsondiffpatch: 0.5.0 + lodash: 4.17.21 + ws: 8.18.0 + yargs: 17.7.2 + zod: 3.23.8 + transitivePeerDependencies: + - '@google-cloud/spanner' + - '@sap/hana-client' + - better-sqlite3 + - bluebird + - bufferutil + - debug + - hdb-pool + - ioredis + - mongodb + - mssql + - mysql2 + - oracledb + - pg + - pg-native + - pg-query-stream + - redis + - sql.js + - supports-color + - ts-node + - typeorm-aurora-data-api-driver + - utf-8-validate + + '@acala-network/type-definitions@5.1.2(@polkadot/types@12.4.2)': + dependencies: + '@polkadot/types': 12.4.2 + + '@adraffy/ens-normalize@1.10.0': {} + + '@adraffy/ens-normalize@1.10.1': {} + + '@asamuzakjp/dom-selector@2.0.2': + dependencies: + bidi-js: 1.0.3 + css-tree: 2.3.1 + is-potential-custom-element-name: 1.0.1 + + '@babel/helper-string-parser@7.24.7': {} + + '@babel/helper-validator-identifier@7.24.7': {} + + '@babel/parser@7.24.7': + dependencies: + '@babel/types': 7.24.7 + + '@babel/runtime@7.25.6': + dependencies: + regenerator-runtime: 0.14.1 + + '@babel/types@7.24.7': + dependencies: + '@babel/helper-string-parser': 7.24.7 + '@babel/helper-validator-identifier': 7.24.7 + to-fast-properties: 2.0.0 + + '@bifrost-finance/type-definitions@1.11.3(@polkadot/api@12.4.2)': + dependencies: + '@polkadot/api': 12.4.2 + + '@colors/colors@1.5.0': + optional: true + + '@crustio/type-definitions@1.3.0': + dependencies: + '@open-web3/orml-type-definitions': 0.9.4-38 + + '@cspotcode/source-map-support@0.8.1': + dependencies: + '@jridgewell/trace-mapping': 0.3.9 + + '@darwinia/types-known@2.8.10': {} + + '@darwinia/types@2.8.10': {} + + '@digitalnative/type-definitions@1.1.27(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + dependencies: + '@polkadot/keyring': 6.11.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/types': 4.17.1 + transitivePeerDependencies: + - '@polkadot/util' + - '@polkadot/util-crypto' + + '@docknetwork/node-types@0.16.0': {} + + '@edgeware/node-types@3.6.2-wako': {} + + '@emotion/is-prop-valid@1.2.2': + dependencies: + '@emotion/memoize': 0.8.1 + + '@emotion/memoize@0.8.1': {} + + '@emotion/unitless@0.8.1': {} + + '@equilab/definitions@1.4.18': {} + + '@esbuild/aix-ppc64@0.19.12': + optional: true + + '@esbuild/aix-ppc64@0.21.5': + optional: true + + '@esbuild/android-arm64@0.19.12': + optional: true + + '@esbuild/android-arm64@0.21.5': + optional: true + + '@esbuild/android-arm@0.19.12': + optional: true + + '@esbuild/android-arm@0.21.5': + optional: true + + '@esbuild/android-x64@0.19.12': + optional: true + + '@esbuild/android-x64@0.21.5': + optional: true + + '@esbuild/darwin-arm64@0.19.12': + optional: true + + '@esbuild/darwin-arm64@0.21.5': + optional: true + + '@esbuild/darwin-x64@0.19.12': + optional: true + + '@esbuild/darwin-x64@0.21.5': + optional: true + + '@esbuild/freebsd-arm64@0.19.12': + optional: true + + '@esbuild/freebsd-arm64@0.21.5': + optional: true + + '@esbuild/freebsd-x64@0.19.12': + optional: true + + '@esbuild/freebsd-x64@0.21.5': + optional: true + + '@esbuild/linux-arm64@0.19.12': + optional: true + + '@esbuild/linux-arm64@0.21.5': + optional: true + + '@esbuild/linux-arm@0.19.12': + optional: true + + '@esbuild/linux-arm@0.21.5': + optional: true + + '@esbuild/linux-ia32@0.19.12': + optional: true + + '@esbuild/linux-ia32@0.21.5': + optional: true + + '@esbuild/linux-loong64@0.19.12': + optional: true + + '@esbuild/linux-loong64@0.21.5': + optional: true + + '@esbuild/linux-mips64el@0.19.12': + optional: true + + '@esbuild/linux-mips64el@0.21.5': + optional: true + + '@esbuild/linux-ppc64@0.19.12': + optional: true + + '@esbuild/linux-ppc64@0.21.5': + optional: true + + '@esbuild/linux-riscv64@0.19.12': + optional: true + + '@esbuild/linux-riscv64@0.21.5': + optional: true + + '@esbuild/linux-s390x@0.19.12': + optional: true + + '@esbuild/linux-s390x@0.21.5': + optional: true + + '@esbuild/linux-x64@0.19.12': + optional: true + + '@esbuild/linux-x64@0.21.5': + optional: true + + '@esbuild/netbsd-x64@0.19.12': + optional: true + + '@esbuild/netbsd-x64@0.21.5': + optional: true + + '@esbuild/openbsd-x64@0.19.12': + optional: true + + '@esbuild/openbsd-x64@0.21.5': + optional: true + + '@esbuild/sunos-x64@0.19.12': + optional: true + + '@esbuild/sunos-x64@0.21.5': + optional: true + + '@esbuild/win32-arm64@0.19.12': + optional: true + + '@esbuild/win32-arm64@0.21.5': + optional: true + + '@esbuild/win32-ia32@0.19.12': + optional: true + + '@esbuild/win32-ia32@0.21.5': + optional: true + + '@esbuild/win32-x64@0.19.12': + optional: true + + '@esbuild/win32-x64@0.21.5': + optional: true + + '@eslint-community/eslint-utils@4.4.0(eslint@8.57.0)': + dependencies: + eslint: 8.57.0 + eslint-visitor-keys: 3.4.3 + + '@eslint-community/regexpp@4.11.0': {} + + '@eslint/eslintrc@2.1.4': + dependencies: + ajv: 6.12.6 + debug: 4.3.7(supports-color@8.1.1) + espree: 9.6.1 + globals: 13.24.0 + ignore: 5.3.1 + import-fresh: 3.3.0 + js-yaml: 4.1.0 + minimatch: 3.1.2 + strip-json-comments: 3.1.1 + transitivePeerDependencies: + - supports-color + + '@eslint/js@8.57.0': {} + + '@ethereumjs/common@2.6.5': + dependencies: + crc-32: 1.2.2 + ethereumjs-util: 7.1.5 + + '@ethereumjs/rlp@4.0.1': {} + + '@ethereumjs/rlp@5.0.2': {} + + '@ethereumjs/tx@3.5.2': + dependencies: + '@ethereumjs/common': 2.6.5 + ethereumjs-util: 7.1.5 + + '@ethereumjs/util@8.1.0': + dependencies: + '@ethereumjs/rlp': 4.0.1 + ethereum-cryptography: 2.2.1 + micro-ftch: 0.3.1 + + '@ethersproject/abi@5.7.0': + dependencies: + '@ethersproject/address': 5.7.0 + '@ethersproject/bignumber': 5.7.0 + '@ethersproject/bytes': 5.7.0 + '@ethersproject/constants': 5.7.0 + '@ethersproject/hash': 5.7.0 + '@ethersproject/keccak256': 5.7.0 '@ethersproject/logger': 5.7.0 - dev: false + '@ethersproject/properties': 5.7.0 + '@ethersproject/strings': 5.7.0 - /@ethersproject/signing-key@5.7.0: - resolution: {integrity: sha512-MZdy2nL3wO0u7gkB4nA/pEf8lu1TlFswPNmy8AiYkfKTdO6eXBJyUdmHO/ehm/htHw9K/qF8ujnTyUAD+Ry54Q==} + '@ethersproject/abstract-provider@5.7.0': + dependencies: + '@ethersproject/bignumber': 5.7.0 + '@ethersproject/bytes': 5.7.0 + '@ethersproject/logger': 5.7.0 + '@ethersproject/networks': 5.7.1 + '@ethersproject/properties': 5.7.0 + '@ethersproject/transactions': 5.7.0 + '@ethersproject/web': 5.7.1 + + '@ethersproject/abstract-signer@5.7.0': + dependencies: + '@ethersproject/abstract-provider': 5.7.0 + '@ethersproject/bignumber': 5.7.0 + '@ethersproject/bytes': 5.7.0 + '@ethersproject/logger': 5.7.0 + '@ethersproject/properties': 5.7.0 + + '@ethersproject/address@5.7.0': + dependencies: + '@ethersproject/bignumber': 5.7.0 + '@ethersproject/bytes': 5.7.0 + '@ethersproject/keccak256': 5.7.0 + '@ethersproject/logger': 5.7.0 + '@ethersproject/rlp': 5.7.0 + + '@ethersproject/base64@5.7.0': + dependencies: + '@ethersproject/bytes': 5.7.0 + + '@ethersproject/bignumber@5.7.0': + dependencies: + '@ethersproject/bytes': 5.7.0 + '@ethersproject/logger': 5.7.0 + bn.js: 5.2.1 + + '@ethersproject/bytes@5.7.0': + dependencies: + '@ethersproject/logger': 5.7.0 + + '@ethersproject/constants@5.7.0': + dependencies: + '@ethersproject/bignumber': 5.7.0 + + '@ethersproject/hash@5.7.0': + dependencies: + '@ethersproject/abstract-signer': 5.7.0 + '@ethersproject/address': 5.7.0 + '@ethersproject/base64': 5.7.0 + '@ethersproject/bignumber': 5.7.0 + '@ethersproject/bytes': 5.7.0 + '@ethersproject/keccak256': 5.7.0 + '@ethersproject/logger': 5.7.0 + '@ethersproject/properties': 5.7.0 + '@ethersproject/strings': 5.7.0 + + '@ethersproject/keccak256@5.7.0': + dependencies: + '@ethersproject/bytes': 5.7.0 + js-sha3: 0.8.0 + + '@ethersproject/logger@5.7.0': {} + + '@ethersproject/networks@5.7.1': + dependencies: + '@ethersproject/logger': 5.7.0 + + '@ethersproject/properties@5.7.0': + dependencies: + '@ethersproject/logger': 5.7.0 + + '@ethersproject/rlp@5.7.0': + dependencies: + '@ethersproject/bytes': 5.7.0 + '@ethersproject/logger': 5.7.0 + + '@ethersproject/signing-key@5.7.0': dependencies: '@ethersproject/bytes': 5.7.0 '@ethersproject/logger': 5.7.0 @@ -1015,18 +6673,14 @@ packages: bn.js: 5.2.1 elliptic: 6.5.4 hash.js: 1.1.7 - dev: false - /@ethersproject/strings@5.7.0: - resolution: {integrity: sha512-/9nu+lj0YswRNSH0NXYqrh8775XNyEdUQAuf3f+SmOrnVewcJ5SBNAjF7lpgehKi4abvNNXyf+HX86czCdJ8Mg==} + '@ethersproject/strings@5.7.0': dependencies: '@ethersproject/bytes': 5.7.0 '@ethersproject/constants': 5.7.0 '@ethersproject/logger': 5.7.0 - dev: false - /@ethersproject/transactions@5.7.0: - resolution: {integrity: sha512-kmcNicCp1lp8qanMTC3RIikGgoJ80ztTyvtsFvCYpSCfkjhD0jZ2LOrnbcuxuToLIUYYf+4XwD1rP+B/erDIhQ==} + '@ethersproject/transactions@5.7.0': dependencies: '@ethersproject/address': 5.7.0 '@ethersproject/bignumber': 5.7.0 @@ -1037,20 +6691,16 @@ packages: '@ethersproject/properties': 5.7.0 '@ethersproject/rlp': 5.7.0 '@ethersproject/signing-key': 5.7.0 - dev: false - /@ethersproject/web@5.7.1: - resolution: {integrity: sha512-Gueu8lSvyjBWL4cYsWsjh6MtMwM0+H4HvqFPZfB6dV8ctbP9zFAO73VG1cMWae0FLPCtz0peKPpZY8/ugJJX2w==} + '@ethersproject/web@5.7.1': dependencies: '@ethersproject/base64': 5.7.0 '@ethersproject/bytes': 5.7.0 '@ethersproject/logger': 5.7.0 '@ethersproject/properties': 5.7.0 '@ethersproject/strings': 5.7.0 - dev: false - /@fragnova/api-augment@0.1.0-spec-1.0.4-mainnet: - resolution: {integrity: sha512-511tzGJt8BWUVMNqX6NNq4KrGWYBKrLVQ2GKERUi08TtpteEQnFH3Nzh8W6x3dpBG3naZ+V5ue+bEmEB9foRIQ==} + '@fragnova/api-augment@0.1.0-spec-1.0.4-mainnet': dependencies: '@polkadot/api': 9.14.2 '@polkadot/rpc-provider': 9.14.2 @@ -1059,10 +6709,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@frequency-chain/api-augment@1.11.1: - resolution: {integrity: sha512-CzVjeGrWl8tbTavygZLUICrncjCC54hM5ioJU1Og2OPoX2P4GYf8xoks8MIyj1yOrYX++mzM6Uf0+nCh77QyFw==} + '@frequency-chain/api-augment@1.11.1': dependencies: '@polkadot/api': 10.13.1 '@polkadot/rpc-provider': 10.13.1 @@ -1071,91 +6719,53 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@gar/promisify@1.1.3: - resolution: {integrity: sha512-k2Ty1JcVojjJFwrg/ThKi2ujJ7XNLYaFGNB/bWT9wGR+oSMJHMa5w+CUq6p/pVrKeNNgA7pCqEcjSnHVoqJQFw==} - requiresBuild: true - dev: false + '@gar/promisify@1.1.3': optional: true - /@humanwhocodes/config-array@0.11.14: - resolution: {integrity: sha512-3T8LkOmg45BV5FICb15QQMsyUSWrQ8AygVfC7ZG32zOalnqrilm018ZVCw0eapXux8FtA33q8PSRSstjee3jSg==} - engines: {node: '>=10.10.0'} - deprecated: Use @eslint/config-array instead + '@humanwhocodes/config-array@0.11.14': dependencies: '@humanwhocodes/object-schema': 2.0.3 debug: 4.3.7(supports-color@8.1.1) minimatch: 3.1.2 transitivePeerDependencies: - supports-color - dev: true - /@humanwhocodes/module-importer@1.0.1: - resolution: {integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==} - engines: {node: '>=12.22'} - dev: true + '@humanwhocodes/module-importer@1.0.1': {} - /@humanwhocodes/object-schema@2.0.3: - resolution: {integrity: sha512-93zYdMES/c1D69yZiKDBj0V24vqNzB/koF26KPaagAfd3P/4gUlh3Dys5ogAK+Exi9QyzlD8x/08Zt7wIKcDcA==} - deprecated: Use @eslint/object-schema instead - dev: true + '@humanwhocodes/object-schema@2.0.3': {} - /@inquirer/figures@1.0.3: - resolution: {integrity: sha512-ErXXzENMH5pJt5/ssXV0DfWUZqly8nGzf0UcBV9xTnP+KyffE2mqyxIMBrZ8ijQck2nU0TQm40EQB53YreyWHw==} - engines: {node: '>=18'} - dev: false + '@inquirer/figures@1.0.3': {} - /@interlay/interbtc-types@1.13.0: - resolution: {integrity: sha512-oUjavcfnX7lxlMd10qGc48/MoATX37TQcuSAZBIUmpCRiJ15hZbQoTAKGgWMPsla3+3YqUAzkWUEVMwUvM1U+w==} - dev: false + '@interlay/interbtc-types@1.13.0': {} - /@isaacs/cliui@8.0.2: - resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==} - engines: {node: '>=12'} + '@isaacs/cliui@8.0.2': dependencies: string-width: 5.1.2 - string-width-cjs: /string-width@4.2.3 + string-width-cjs: string-width@4.2.3 strip-ansi: 7.1.0 - strip-ansi-cjs: /strip-ansi@6.0.1 + strip-ansi-cjs: strip-ansi@6.0.1 wrap-ansi: 8.1.0 - wrap-ansi-cjs: /wrap-ansi@7.0.0 - dev: false + wrap-ansi-cjs: wrap-ansi@7.0.0 - /@jridgewell/resolve-uri@3.1.1: - resolution: {integrity: sha512-dSYZh7HhCDtCKm4QakX0xFpsRDqjjtZf/kjI/v3T3Nwt5r8/qz/M19F9ySyOqU94SXBmeG9ttTul+YnR4LOxFA==} - engines: {node: '>=6.0.0'} - dev: false + '@jridgewell/resolve-uri@3.1.1': {} - /@jridgewell/sourcemap-codec@1.4.15: - resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==} - dev: false + '@jridgewell/sourcemap-codec@1.4.15': {} - /@jridgewell/sourcemap-codec@1.5.0: - resolution: {integrity: sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==} - dev: false + '@jridgewell/sourcemap-codec@1.5.0': {} - /@jridgewell/trace-mapping@0.3.9: - resolution: {integrity: sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==} + '@jridgewell/trace-mapping@0.3.9': dependencies: '@jridgewell/resolve-uri': 3.1.1 '@jridgewell/sourcemap-codec': 1.4.15 - dev: false - /@kiltprotocol/type-definitions@0.35.1: - resolution: {integrity: sha512-/8jWy2ZTtWeaB5/5G8Yg0KgrqzyctzRricEnUd61Vn99Edm9S2mfNa77LY5SwGZ9mkYuh1OlqGuk9gUa3uER6g==} - engines: {node: '>=16.0'} - dev: false + '@kiltprotocol/type-definitions@0.35.1': {} - /@laminar/type-definitions@0.3.1: - resolution: {integrity: sha512-QWC2qtvbPIxal+gMfUocZmwK0UsD7Sb0RUm4Hallkp+OXXL+3uBLwztYDLS5LtocOn0tfR//sgpnfsEIEb71Lw==} + '@laminar/type-definitions@0.3.1': dependencies: '@open-web3/orml-type-definitions': 0.8.2-11 - dev: false - /@logion/node-api@0.27.0-4: - resolution: {integrity: sha512-YOAumRQpacPmX5YUk6jHAi+EAJWKCU3WL4+YQpaKhXv5KoS3n6Iz2fK8qzcD5Gs+AUTg2WLmKH+7Jc5WRnHcig==} - engines: {node: '>=18'} + '@logion/node-api@0.27.0-4': dependencies: '@polkadot/api': 10.13.1 '@polkadot/util': 12.6.2 @@ -1167,37 +6777,18 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@mangata-finance/type-definitions@2.1.2(@polkadot/types@12.4.2): - resolution: {integrity: sha512-kr4mVMuQ6DqZ0H72z0YI8tcdlk4XD4vUgRVYYfTJdXFJhRsfS4YRxfs/iiQPNzWKgoQZKcDqsbQD3xz9T1gELw==} - engines: {node: '>=18.0.0'} - peerDependencies: - '@polkadot/types': ^10.9.1 + '@mangata-finance/type-definitions@2.1.2(@polkadot/types@12.4.2)': dependencies: '@polkadot/types': 12.4.2 - dev: false - /@metaverse-network-sdk/type-definitions@0.0.1-16: - resolution: {integrity: sha512-lo1NbA0gi+Tu23v4cTkN/oxEhQxaf3QxQ2qvUUfTxDU7a1leYp2Bw3IcoUvqHAGb/PPp8bNmYQfAKXsjqp+LZw==} + '@metaverse-network-sdk/type-definitions@0.0.1-16': dependencies: lodash.merge: 4.6.2 - dev: false - /@moonbeam-network/api-augment@0.2902.0: - resolution: {integrity: sha512-lCNc1lUq7kHnTPXvT4W8F2nkxr4UjAEs5LdxXHfrATOt+ZfGfX97/4sZfSRXlVqATrOUw7+sqKM8SL0ci0nx0g==} - engines: {node: '>=14.0.0'} - dev: false + '@moonbeam-network/api-augment@0.2902.0': {} - /@moonwall/cli@5.3.3(@acala-network/chopsticks@0.15.0)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1): - resolution: {integrity: sha512-iFJ9DnefUrwHS/FCeMrVIlBxbd8P9j3dqBwGeJ/yfNtqaurx3g8Sx3jpSueWjkZ3vozlkGYJFYgtnlXGVzvGNw==} - engines: {node: '>=20', pnpm: '>=7'} - hasBin: true - peerDependencies: - '@acala-network/chopsticks': ^0.9.10 - '@polkadot/api': ^10.11.2 - '@vitest/ui': ^1.2.2 - vitest: ^1.2.2 + '@moonwall/cli@5.3.3(@acala-network/chopsticks@0.15.0)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1)': dependencies: '@acala-network/chopsticks': 0.15.0(debug@4.3.7) '@moonbeam-network/api-augment': 0.2902.0 @@ -1249,13 +6840,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /@moonwall/types@5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2): - resolution: {integrity: sha512-gKnX3krFiIwuu/dWzqYaJjf49vzv01Lmm51peFKVJffJi033FC3MoEe5IsqI/FZCCVLD0ks+x3/9iP4U6/ybRA==} - engines: {node: '>=20', pnpm: '>=7'} - peerDependencies: - '@polkadot/api': ^10.12.6 + '@moonwall/types@5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)': dependencies: '@polkadot/api': 13.0.1 '@polkadot/api-base': 12.1.1 @@ -1280,14 +6866,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /@moonwall/util@5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1): - resolution: {integrity: sha512-wiww5T1xtEtxTUPTNlub6tX6yXMqh9jo1++f+Su07SF525zcdGRNGmFUdBGpPW8Bwz4rlbEi87eO7dnNB3Rr1w==} - engines: {node: '>=20', pnpm: '>=7'} - peerDependencies: - '@polkadot/api': ^10.11.2 - vitest: ^1.2.2 + '@moonwall/util@5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1)': dependencies: '@moonbeam-network/api-augment': 0.2902.0 '@moonwall/types': 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2) @@ -1327,106 +6907,60 @@ packages: - typescript - utf-8-validate - zod - dev: false - /@noble/curves@1.2.0: - resolution: {integrity: sha512-oYclrNgRaM9SsBUBVbb8M6DTV7ZHRTKugureoYEncY5c65HOmRzvSiTE3y5CYaPYJA/GVkrhXEoF0M3Ya9PMnw==} + '@noble/curves@1.2.0': dependencies: '@noble/hashes': 1.3.2 - dev: false - /@noble/curves@1.4.0: - resolution: {integrity: sha512-p+4cb332SFCrReJkCYe8Xzm0OWi4Jji5jVdIZRL/PmacmDkFNw6MrrV+gGpiPxLHbV+zKFRywUWbaseT+tZRXg==} + '@noble/curves@1.4.0': dependencies: '@noble/hashes': 1.4.0 - dev: false - /@noble/curves@1.4.2: - resolution: {integrity: sha512-TavHr8qycMChk8UwMld0ZDRvatedkzWfH8IiaeGCfymOP5i0hSCozz9vHOL0nkwk7HRMlFnAiKpS2jrUmSybcw==} + '@noble/curves@1.4.2': dependencies: '@noble/hashes': 1.4.0 - dev: false - /@noble/ed25519@1.7.3: - resolution: {integrity: sha512-iR8GBkDt0Q3GyaVcIu7mSsVIqnFbkbRzGLWlvhwunacoLwt4J3swfKhfaM6rN6WY+TBGoYT1GtT1mIh2/jGbRQ==} - dev: false + '@noble/ed25519@1.7.3': {} - /@noble/hashes@1.0.0: - resolution: {integrity: sha512-DZVbtY62kc3kkBtMHqwCOfXrT/hnoORy5BJ4+HU1IR59X0KWAOqsfzQPcUl/lQLlG7qXbe/fZ3r/emxtAl+sqg==} - dev: false + '@noble/hashes@1.0.0': {} - /@noble/hashes@1.2.0: - resolution: {integrity: sha512-FZfhjEDbT5GRswV3C6uvLPHMiVD6lQBmpoX5+eSiPaMTXte/IKqI5dykDxzZB/WBeK/CDuQRBWarPdi3FNY2zQ==} - dev: false + '@noble/hashes@1.2.0': {} - /@noble/hashes@1.3.2: - resolution: {integrity: sha512-MVC8EAQp7MvEcm30KWENFjgR+Mkmf+D189XJTkFIlwohU5hcBbn1ZkKq7KVTi2Hme3PMGF390DaL52beVrIihQ==} - engines: {node: '>= 16'} - dev: false + '@noble/hashes@1.3.2': {} - /@noble/hashes@1.4.0: - resolution: {integrity: sha512-V1JJ1WTRUqHHrOSh597hURcMqVKVGL/ea3kv0gSnEdsEZ0/+VyPghM1lMNGc00z7CIQorSvbKpuJkxvuHbvdbg==} - engines: {node: '>= 16'} - requiresBuild: true - dev: false + '@noble/hashes@1.4.0': {} - /@noble/hashes@1.5.0: - resolution: {integrity: sha512-1j6kQFb7QRru7eKN3ZDvRcP13rugwdxZqCjbiAVZfIJwgj2A65UmT4TgARXGlXgnRkORLTDTrO19ZErt7+QXgA==} - engines: {node: ^14.21.3 || >=16} - dev: false + '@noble/hashes@1.5.0': {} - /@noble/secp256k1@1.5.5: - resolution: {integrity: sha512-sZ1W6gQzYnu45wPrWx8D3kwI2/U29VYTx9OjbDAd7jwRItJ0cSTMPRL/C8AWZFn9kWFLQGqEXVEE86w4Z8LpIQ==} - dev: false + '@noble/secp256k1@1.5.5': {} - /@noble/secp256k1@1.7.1: - resolution: {integrity: sha512-hOUk6AyBFmqVrv7k5WAw/LpszxVbj9gGN4JRkIX52fdFAj1UA61KXmZDvqVEm+pOyec3+fIeZB02LYa/pWOArw==} - dev: false + '@noble/secp256k1@1.7.1': {} - /@nodelib/fs.scandir@2.1.5: - resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==} - engines: {node: '>= 8'} + '@nodelib/fs.scandir@2.1.5': dependencies: '@nodelib/fs.stat': 2.0.5 run-parallel: 1.2.0 - dev: true - /@nodelib/fs.stat@2.0.5: - resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==} - engines: {node: '>= 8'} - dev: true + '@nodelib/fs.stat@2.0.5': {} - /@nodelib/fs.walk@1.2.8: - resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==} - engines: {node: '>= 8'} + '@nodelib/fs.walk@1.2.8': dependencies: '@nodelib/fs.scandir': 2.1.5 fastq: 1.17.1 - dev: true - /@npmcli/fs@1.1.1: - resolution: {integrity: sha512-8KG5RD0GVP4ydEzRn/I4BNDuxDtqVbOdm8675T49OIG/NGhaK0pjPX7ZcDlvKYbA+ulvVK3ztfcF4uBdOxuJbQ==} - requiresBuild: true + '@npmcli/fs@1.1.1': dependencies: '@gar/promisify': 1.1.3 semver: 7.6.3 - dev: false optional: true - /@npmcli/move-file@1.1.2: - resolution: {integrity: sha512-1SUf/Cg2GzGDyaf15aR9St9TWlb+XvbZXWpDx8YKs7MLzMH/BCeopv+y9vzrzgkfykCGuWOlSu3mZhj2+FQcrg==} - engines: {node: '>=10'} - deprecated: This functionality has been moved to @npmcli/fs - requiresBuild: true + '@npmcli/move-file@1.1.2': dependencies: mkdirp: 1.0.4 rimraf: 3.0.2 - dev: false optional: true - /@octokit/app@15.0.1: - resolution: {integrity: sha512-nwSjC349E6/wruMCo944y1dBC7uKzUYrBMoC4Qx/xfLLBmD+R66oMKB1jXS2HYRF9Hqh/Alq3UNRggVWZxjvUg==} - engines: {node: '>= 18'} + '@octokit/app@15.0.1': dependencies: '@octokit/auth-app': 7.1.0 '@octokit/auth-unauthenticated': 6.1.0 @@ -1435,11 +6969,8 @@ packages: '@octokit/plugin-paginate-rest': 11.3.0(@octokit/core@6.1.2) '@octokit/types': 13.5.0 '@octokit/webhooks': 13.2.7 - dev: false - /@octokit/auth-app@7.1.0: - resolution: {integrity: sha512-cazGaJPSgeZ8NkVYeM/C5l/6IQ5vZnsI8p1aMucadCkt/bndI+q+VqwrlnWbASRmenjOkf1t1RpCKrif53U8gw==} - engines: {node: '>= 18'} + '@octokit/auth-app@7.1.0': dependencies: '@octokit/auth-oauth-app': 8.1.1 '@octokit/auth-oauth-user': 5.1.1 @@ -1449,56 +6980,38 @@ packages: lru-cache: 10.2.0 universal-github-app-jwt: 2.2.0 universal-user-agent: 7.0.2 - dev: false - - /@octokit/auth-oauth-app@8.1.1: - resolution: {integrity: sha512-5UtmxXAvU2wfcHIPPDWzVSAWXVJzG3NWsxb7zCFplCWEmMCArSZV0UQu5jw5goLQXbFyOr5onzEH37UJB3zQQg==} - engines: {node: '>= 18'} + + '@octokit/auth-oauth-app@8.1.1': dependencies: '@octokit/auth-oauth-device': 7.1.1 '@octokit/auth-oauth-user': 5.1.1 '@octokit/request': 9.1.1 '@octokit/types': 13.5.0 universal-user-agent: 7.0.2 - dev: false - /@octokit/auth-oauth-device@7.1.1: - resolution: {integrity: sha512-HWl8lYueHonuyjrKKIup/1tiy0xcmQCdq5ikvMO1YwkNNkxb6DXfrPjrMYItNLyCP/o2H87WuijuE+SlBTT8eg==} - engines: {node: '>= 18'} + '@octokit/auth-oauth-device@7.1.1': dependencies: '@octokit/oauth-methods': 5.1.2 '@octokit/request': 9.1.1 '@octokit/types': 13.5.0 universal-user-agent: 7.0.2 - dev: false - /@octokit/auth-oauth-user@5.1.1: - resolution: {integrity: sha512-rRkMz0ErOppdvEfnemHJXgZ9vTPhBuC6yASeFaB7I2yLMd7QpjfrL1mnvRPlyKo+M6eeLxrKanXJ9Qte29SRsw==} - engines: {node: '>= 18'} + '@octokit/auth-oauth-user@5.1.1': dependencies: '@octokit/auth-oauth-device': 7.1.1 '@octokit/oauth-methods': 5.1.2 '@octokit/request': 9.1.1 '@octokit/types': 13.5.0 universal-user-agent: 7.0.2 - dev: false - /@octokit/auth-token@5.1.1: - resolution: {integrity: sha512-rh3G3wDO8J9wSjfI436JUKzHIxq8NaiL0tVeB2aXmG6p/9859aUOAjA9pmSPNGGZxfwmaJ9ozOJImuNVJdpvbA==} - engines: {node: '>= 18'} - dev: false + '@octokit/auth-token@5.1.1': {} - /@octokit/auth-unauthenticated@6.1.0: - resolution: {integrity: sha512-zPSmfrUAcspZH/lOFQnVnvjQZsIvmfApQH6GzJrkIunDooU1Su2qt2FfMTSVPRp7WLTQyC20Kd55lF+mIYaohQ==} - engines: {node: '>= 18'} + '@octokit/auth-unauthenticated@6.1.0': dependencies: '@octokit/request-error': 6.1.1 '@octokit/types': 13.5.0 - dev: false - /@octokit/core@6.1.2: - resolution: {integrity: sha512-hEb7Ma4cGJGEUNOAVmyfdB/3WirWMg5hDuNFVejGEDFqupeOysLc2sG6HJxY2etBp5YQu5Wtxwi020jS9xlUwg==} - engines: {node: '>= 18'} + '@octokit/core@6.1.2': dependencies: '@octokit/auth-token': 5.1.1 '@octokit/graphql': 8.1.1 @@ -1507,28 +7020,19 @@ packages: '@octokit/types': 13.5.0 before-after-hook: 3.0.2 universal-user-agent: 7.0.2 - dev: false - /@octokit/endpoint@10.1.1: - resolution: {integrity: sha512-JYjh5rMOwXMJyUpj028cu0Gbp7qe/ihxfJMLc8VZBMMqSwLgOxDI1911gV4Enl1QSavAQNJcwmwBF9M0VvLh6Q==} - engines: {node: '>= 18'} + '@octokit/endpoint@10.1.1': dependencies: '@octokit/types': 13.5.0 universal-user-agent: 7.0.2 - dev: false - /@octokit/graphql@8.1.1: - resolution: {integrity: sha512-ukiRmuHTi6ebQx/HFRCXKbDlOh/7xEV6QUXaE7MJEKGNAncGI/STSbOkl12qVXZrfZdpXctx5O9X1AIaebiDBg==} - engines: {node: '>= 18'} + '@octokit/graphql@8.1.1': dependencies: '@octokit/request': 9.1.1 '@octokit/types': 13.5.0 universal-user-agent: 7.0.2 - dev: false - /@octokit/oauth-app@7.1.2: - resolution: {integrity: sha512-4ntCOZIiTozKwuYQroX/ZD722tzMH8Eicv/cgDM/3F3lyrlwENHDv4flTCBpSJbfK546B2SrkKMWB+/HbS84zQ==} - engines: {node: '>= 18'} + '@octokit/oauth-app@7.1.2': dependencies: '@octokit/auth-oauth-app': 8.1.1 '@octokit/auth-oauth-user': 5.1.1 @@ -1538,444 +7042,266 @@ packages: '@octokit/oauth-methods': 5.1.2 '@types/aws-lambda': 8.10.136 universal-user-agent: 7.0.2 - dev: false - /@octokit/oauth-authorization-url@7.1.1: - resolution: {integrity: sha512-ooXV8GBSabSWyhLUowlMIVd9l1s2nsOGQdlP2SQ4LnkEsGXzeCvbSbCPdZThXhEFzleGPwbapT0Sb+YhXRyjCA==} - engines: {node: '>= 18'} - dev: false + '@octokit/oauth-authorization-url@7.1.1': {} - /@octokit/oauth-methods@5.1.2: - resolution: {integrity: sha512-C5lglRD+sBlbrhCUTxgJAFjWgJlmTx5bQ7Ch0+2uqRjYv7Cfb5xpX4WuSC9UgQna3sqRGBL9EImX9PvTpMaQ7g==} - engines: {node: '>= 18'} + '@octokit/oauth-methods@5.1.2': dependencies: '@octokit/oauth-authorization-url': 7.1.1 '@octokit/request': 9.1.1 '@octokit/request-error': 6.1.1 '@octokit/types': 13.5.0 - dev: false - /@octokit/openapi-types@22.2.0: - resolution: {integrity: sha512-QBhVjcUa9W7Wwhm6DBFu6ZZ+1/t/oYxqc2tp81Pi41YNuJinbFRx8B133qVOrAaBbF7D/m0Et6f9/pZt9Rc+tg==} - dev: false + '@octokit/openapi-types@22.2.0': {} - /@octokit/openapi-webhooks-types@8.2.1: - resolution: {integrity: sha512-msAU1oTSm0ZmvAE0xDemuF4tVs5i0xNnNGtNmr4EuATi+1Rn8cZDetj6NXioSf5LwnxEc209COa/WOSbjuhLUA==} - dev: false + '@octokit/openapi-webhooks-types@8.2.1': {} - /@octokit/plugin-paginate-graphql@5.2.2(@octokit/core@6.1.2): - resolution: {integrity: sha512-7znSVvlNAOJisCqAnjN1FtEziweOHSjPGAuc5W58NeGNAr/ZB57yCsjQbXDlWsVryA7hHQaEQPcBbJYFawlkyg==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-paginate-graphql@5.2.2(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 - dev: false - /@octokit/plugin-paginate-rest@11.3.0(@octokit/core@6.1.2): - resolution: {integrity: sha512-n4znWfRinnUQF6TPyxs7EctSAA3yVSP4qlJP2YgI3g9d4Ae2n5F3XDOjbUluKRxPU3rfsgpOboI4O4VtPc6Ilg==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-paginate-rest@11.3.0(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 '@octokit/types': 13.5.0 - dev: false - /@octokit/plugin-paginate-rest@11.3.3(@octokit/core@6.1.2): - resolution: {integrity: sha512-o4WRoOJZlKqEEgj+i9CpcmnByvtzoUYC6I8PD2SA95M+BJ2x8h7oLcVOg9qcowWXBOdcTRsMZiwvM3EyLm9AfA==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-paginate-rest@11.3.3(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 '@octokit/types': 13.5.0 - dev: false - /@octokit/plugin-request-log@5.3.0(@octokit/core@6.1.2): - resolution: {integrity: sha512-FiGcyjdtYPlr03ExBk/0ysIlEFIFGJQAVoPPMxL19B24bVSEiZQnVGBunNtaAF1YnvE/EFoDpXmITtRnyCiypQ==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-request-log@5.3.0(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 - dev: false - /@octokit/plugin-rest-endpoint-methods@13.2.1(@octokit/core@6.1.2): - resolution: {integrity: sha512-YMWBw6Exh1ZBs5cCE0AnzYxSQDIJS00VlBqISTgNYmu5MBdeM07K/MAJjy/VkNaH5jpJmD/5HFUvIZ+LDB5jSQ==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-rest-endpoint-methods@13.2.1(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 '@octokit/types': 13.5.0 - dev: false - /@octokit/plugin-rest-endpoint-methods@13.2.4(@octokit/core@6.1.2): - resolution: {integrity: sha512-gusyAVgTrPiuXOdfqOySMDztQHv6928PQ3E4dqVGEtOvRXAKRbJR4b1zQyniIT9waqaWk/UDaoJ2dyPr7Bk7Iw==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-rest-endpoint-methods@13.2.4(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 '@octokit/types': 13.5.0 - dev: false - /@octokit/plugin-retry@7.1.1(@octokit/core@6.1.2): - resolution: {integrity: sha512-G9Ue+x2odcb8E1XIPhaFBnTTIrrUDfXN05iFXiqhR+SeeeDMMILcAnysOsxUpEWcQp2e5Ft397FCXTcPkiPkLw==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': '>=6' + '@octokit/plugin-retry@7.1.1(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 '@octokit/request-error': 6.1.1 '@octokit/types': 13.5.0 bottleneck: 2.19.5 - dev: false - /@octokit/plugin-throttling@9.3.0(@octokit/core@6.1.2): - resolution: {integrity: sha512-B5YTToSRTzNSeEyssnrT7WwGhpIdbpV9NKIs3KyTWHX6PhpYn7gqF/+lL3BvsASBM3Sg5BAUYk7KZx5p/Ec77w==} - engines: {node: '>= 18'} - peerDependencies: - '@octokit/core': ^6.0.0 + '@octokit/plugin-throttling@9.3.0(@octokit/core@6.1.2)': dependencies: '@octokit/core': 6.1.2 '@octokit/types': 13.5.0 bottleneck: 2.19.5 - dev: false - /@octokit/request-error@6.1.1: - resolution: {integrity: sha512-1mw1gqT3fR/WFvnoVpY/zUM2o/XkMs/2AszUUG9I69xn0JFLv6PGkPhNk5lbfvROs79wiS0bqiJNxfCZcRJJdg==} - engines: {node: '>= 18'} + '@octokit/request-error@6.1.1': dependencies: '@octokit/types': 13.5.0 - dev: false - /@octokit/request@9.1.1: - resolution: {integrity: sha512-pyAguc0p+f+GbQho0uNetNQMmLG1e80WjkIaqqgUkihqUp0boRU6nKItXO4VWnr+nbZiLGEyy4TeKRwqaLvYgw==} - engines: {node: '>= 18'} + '@octokit/request@9.1.1': dependencies: '@octokit/endpoint': 10.1.1 '@octokit/request-error': 6.1.1 '@octokit/types': 13.5.0 universal-user-agent: 7.0.2 - dev: false - /@octokit/rest@21.0.0: - resolution: {integrity: sha512-XudXXOmiIjivdjNZ+fN71NLrnDM00sxSZlhqmPR3v0dVoJwyP628tSlc12xqn8nX3N0965583RBw5GPo6r8u4Q==} - engines: {node: '>= 18'} + '@octokit/rest@21.0.0': dependencies: '@octokit/core': 6.1.2 '@octokit/plugin-paginate-rest': 11.3.3(@octokit/core@6.1.2) '@octokit/plugin-request-log': 5.3.0(@octokit/core@6.1.2) '@octokit/plugin-rest-endpoint-methods': 13.2.4(@octokit/core@6.1.2) - dev: false - /@octokit/types@13.5.0: - resolution: {integrity: sha512-HdqWTf5Z3qwDVlzCrP8UJquMwunpDiMPt5er+QjGzL4hqr/vBVY/MauQgS1xWxCDT1oMx1EULyqxncdCY/NVSQ==} + '@octokit/types@13.5.0': dependencies: '@octokit/openapi-types': 22.2.0 - dev: false - /@octokit/webhooks-methods@5.1.0: - resolution: {integrity: sha512-yFZa3UH11VIxYnnoOYCVoJ3q4ChuSOk2IVBBQ0O3xtKX4x9bmKb/1t+Mxixv2iUhzMdOl1qeWJqEhouXXzB3rQ==} - engines: {node: '>= 18'} - dev: false + '@octokit/webhooks-methods@5.1.0': {} - /@octokit/webhooks@13.2.7: - resolution: {integrity: sha512-sPHCyi9uZuCs1gg0yF53FFocM+GsiiBEhQQV/itGzzQ8gjyv2GMJ1YvgdDY4lC0ePZeiV3juEw4GbS6w1VHhRw==} - engines: {node: '>= 18'} + '@octokit/webhooks@13.2.7': dependencies: '@octokit/openapi-webhooks-types': 8.2.1 '@octokit/request-error': 6.1.1 '@octokit/webhooks-methods': 5.1.0 aggregate-error: 5.0.0 - dev: false - /@open-web3/orml-type-definitions@0.8.2-11: - resolution: {integrity: sha512-cUv5+mprnaGNt0tu3FhK1nFRBK7SGjPhA1O0nxWWeRmuuH5fjkr0glbHE9kcKuCBfsh7nt6NGwxwl9emQtUDSA==} - dev: false + '@open-web3/orml-type-definitions@0.8.2-11': {} - /@open-web3/orml-type-definitions@0.9.4-38: - resolution: {integrity: sha512-kV0++JlRLEf7Z1y+Jm+792zqx6Q7dzpGP73rJJmQrBaeTML5mQzu4veZ24TVtcLV6hsGjUU/ixrJODNj6CCuZQ==} + '@open-web3/orml-type-definitions@0.9.4-38': dependencies: lodash.merge: 4.6.2 - dev: false - /@open-web3/orml-type-definitions@1.1.4: - resolution: {integrity: sha512-diuQx0Pf7cfoBtCpZTrBQOeIur0POp6Y9qfDS3p11RBF2XKwQ7jw/YKEFYqga1AyrzTcoSEE2OYUfeW3AKU94w==} + '@open-web3/orml-type-definitions@1.1.4': dependencies: lodash.merge: 4.6.2 - dev: false - /@open-web3/orml-type-definitions@2.0.1: - resolution: {integrity: sha512-wqeSBOKk8UU9CBqYhK2yQh9YqwaS7vai71WuOGFNJnzRT+6WnzY0leaLTionuzfE3M4Y/jTrc8BTL6+PVFCr6Q==} + '@open-web3/orml-type-definitions@2.0.1': dependencies: lodash.merge: 4.6.2 - dev: false - /@openzeppelin/contracts@4.9.6: - resolution: {integrity: sha512-xSmezSupL+y9VkHZJGDoCBpmnB2ogM13ccaYDWqJTfS3dbuHkgjuwDFUmaFauBCboQMGB/S5UqUl2y54X99BmA==} - dev: false + '@openzeppelin/contracts@4.9.6': {} - /@parallel-finance/type-definitions@2.0.1: - resolution: {integrity: sha512-fC1QfhFFd8oSZqdIh6kmoMNvTxZdQGw1sTAbdYSINyVxyCxKiDg47ZP9bAZFDexL7POqnXnn4pYM7kUAnsT+8Q==} + '@parallel-finance/type-definitions@2.0.1': dependencies: '@open-web3/orml-type-definitions': 2.0.1 - dev: false - /@peaqnetwork/type-definitions@0.0.4: - resolution: {integrity: sha512-bMja9T9PHQrEy4Uhh0ZTWvKGpgiDd51tZg4ZOpgC1KtVBF6Wx+bNtt+Zyg0DKwRh2Eg+xI5OEBPycsFOpdIWIA==} + '@peaqnetwork/type-definitions@0.0.4': dependencies: '@open-web3/orml-type-definitions': 0.9.4-38 - dev: false - /@pendulum-chain/type-definitions@0.3.8: - resolution: {integrity: sha512-xor/TijvR5Hg0NcXozzyWLK2kGmJCJu+yvzq8knXiNzqNLcvJxUz8K+ov2ox6MQrQ7qMgQTBphelQuhwAGJ5bw==} + '@pendulum-chain/type-definitions@0.3.8': dependencies: '@babel/runtime': 7.25.6 '@open-web3/orml-type-definitions': 1.1.4 - dev: false - /@phala/typedefs@0.2.33: - resolution: {integrity: sha512-CaRzIGfU6CUIKLPswYtOw/xbtTttqmJZpr3fhkxLvkBQMXIH14iISD763OFXtWui7DrAMBKo/bHawvFNgWGKTg==} - dev: false + '@phala/typedefs@0.2.33': {} - /@pkgjs/parseargs@0.11.0: - resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==} - engines: {node: '>=14'} - requiresBuild: true - dev: false + '@pkgjs/parseargs@0.11.0': optional: true - /@pnpm/config.env-replace@1.1.0: - resolution: {integrity: sha512-htyl8TWnKL7K/ESFa1oW2UB5lVDxuF5DpM7tBi6Hu2LNL3mWkIzNLG6N4zoCUP1lCKNxWy/3iu8mS8MvToGd6w==} - engines: {node: '>=12.22.0'} - dev: false + '@pnpm/config.env-replace@1.1.0': {} - /@pnpm/network.ca-file@1.0.2: - resolution: {integrity: sha512-YcPQ8a0jwYU9bTdJDpXjMi7Brhkr1mXsXrUJvjqM2mQDgkRiz8jFaQGOdaLxgjtUfQgZhKy/O3cG/YwmgKaxLA==} - engines: {node: '>=12.22.0'} + '@pnpm/network.ca-file@1.0.2': dependencies: graceful-fs: 4.2.10 - dev: false - /@pnpm/npm-conf@2.2.2: - resolution: {integrity: sha512-UA91GwWPhFExt3IizW6bOeY/pQ0BkuNwKjk9iQW9KqxluGCrg4VenZ0/L+2Y0+ZOtme72EVvg6v0zo3AMQRCeA==} - engines: {node: '>=12'} + '@pnpm/npm-conf@2.2.2': dependencies: '@pnpm/config.env-replace': 1.1.0 '@pnpm/network.ca-file': 1.0.2 config-chain: 1.1.13 - dev: false - /@polka/url@1.0.0-next.25: - resolution: {integrity: sha512-j7P6Rgr3mmtdkeDGTe0E/aYyWEWVtc5yFXtHCRHs28/jptDEWfaVOc5T7cblqy1XKPPfCxJc/8DwQ5YgLOZOVQ==} - dev: false + '@polka/url@1.0.0-next.25': {} - /@polkadot-api/client@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0(rxjs@7.8.1): - resolution: {integrity: sha512-0fqK6pUKcGHSG2pBvY+gfSS+1mMdjd/qRygAcKI5d05tKsnZLRnmhb9laDguKmGEIB0Bz9vQqNK3gIN/cfvVwg==} - requiresBuild: true - peerDependencies: - rxjs: '>=7.8.0' + '@polkadot-api/client@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0(rxjs@7.8.1)': dependencies: '@polkadot-api/metadata-builders': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 '@polkadot-api/substrate-bindings': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 '@polkadot-api/substrate-client': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 '@polkadot-api/utils': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 rxjs: 7.8.1 - dev: false optional: true - /@polkadot-api/json-rpc-provider-proxy@0.0.1: - resolution: {integrity: sha512-gmVDUP8LpCH0BXewbzqXF2sdHddq1H1q+XrAW2of+KZj4woQkIGBRGTJHeBEVHe30EB+UejR1N2dT4PO/RvDdg==} - requiresBuild: true - dev: false + '@polkadot-api/json-rpc-provider-proxy@0.0.1': optional: true - /@polkadot-api/json-rpc-provider-proxy@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0: - resolution: {integrity: sha512-0hZ8vtjcsyCX8AyqP2sqUHa1TFFfxGWmlXJkit0Nqp9b32MwZqn5eaUAiV2rNuEpoglKOdKnkGtUF8t5MoodKw==} - requiresBuild: true - dev: false + '@polkadot-api/json-rpc-provider-proxy@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': optional: true - /@polkadot-api/json-rpc-provider-proxy@0.1.0: - resolution: {integrity: sha512-8GSFE5+EF73MCuLQm8tjrbCqlgclcHBSRaswvXziJ0ZW7iw3UEMsKkkKvELayWyBuOPa2T5i1nj6gFOeIsqvrg==} - requiresBuild: true - dev: false + '@polkadot-api/json-rpc-provider-proxy@0.1.0': optional: true - /@polkadot-api/json-rpc-provider@0.0.1: - resolution: {integrity: sha512-/SMC/l7foRjpykLTUTacIH05H3mr9ip8b5xxfwXlVezXrNVLp3Cv0GX6uItkKd+ZjzVPf3PFrDF2B2/HLSNESA==} - requiresBuild: true - dev: false + '@polkadot-api/json-rpc-provider@0.0.1': optional: true - /@polkadot-api/json-rpc-provider@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0: - resolution: {integrity: sha512-EaUS9Fc3wsiUr6ZS43PQqaRScW7kM6DYbuM/ou0aYjm8N9MBqgDbGm2oL6RE1vAVmOfEuHcXZuZkhzWtyvQUtA==} - requiresBuild: true - dev: false + '@polkadot-api/json-rpc-provider@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': optional: true - /@polkadot-api/merkleize-metadata@1.1.4: - resolution: {integrity: sha512-WlVqZjFqQIomfKxW7QIl68YAvA0YF6orsicV1rCsqkgHe7rMzj1JjkntEgPMcL3aksSDShdyb7SLinvOJgSa2Q==} + '@polkadot-api/merkleize-metadata@1.1.4': dependencies: '@polkadot-api/metadata-builders': 0.7.1 '@polkadot-api/substrate-bindings': 0.8.0 '@polkadot-api/utils': 0.1.1 - dev: false - /@polkadot-api/metadata-builders@0.0.1: - resolution: {integrity: sha512-GCI78BHDzXAF/L2pZD6Aod/yl82adqQ7ftNmKg51ixRL02JpWUA+SpUKTJE5MY1p8kiJJIo09P2um24SiJHxNA==} - requiresBuild: true + '@polkadot-api/metadata-builders@0.0.1': dependencies: '@polkadot-api/substrate-bindings': 0.0.1 '@polkadot-api/utils': 0.0.1 - dev: false optional: true - /@polkadot-api/metadata-builders@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0: - resolution: {integrity: sha512-BD7rruxChL1VXt0icC2gD45OtT9ofJlql0qIllHSRYgama1CR2Owt+ApInQxB+lWqM+xNOznZRpj8CXNDvKIMg==} - requiresBuild: true + '@polkadot-api/metadata-builders@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': dependencies: '@polkadot-api/substrate-bindings': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 '@polkadot-api/utils': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 - dev: false optional: true - /@polkadot-api/metadata-builders@0.3.2: - resolution: {integrity: sha512-TKpfoT6vTb+513KDzMBTfCb/ORdgRnsS3TDFpOhAhZ08ikvK+hjHMt5plPiAX/OWkm1Wc9I3+K6W0hX5Ab7MVg==} - requiresBuild: true + '@polkadot-api/metadata-builders@0.3.2': dependencies: '@polkadot-api/substrate-bindings': 0.6.0 '@polkadot-api/utils': 0.1.0 - dev: false optional: true - /@polkadot-api/metadata-builders@0.7.1: - resolution: {integrity: sha512-4P9sf4/HINcLubsDvHbS8ezfTKvOBNnRy18lOLyVDJsSwSPyaTKPpHbYl4vV0XCr7kwJJz8myyYjNadfhbmTaA==} + '@polkadot-api/metadata-builders@0.7.1': dependencies: '@polkadot-api/substrate-bindings': 0.8.0 '@polkadot-api/utils': 0.1.1 - dev: false - /@polkadot-api/observable-client@0.1.0(rxjs@7.8.1): - resolution: {integrity: sha512-GBCGDRztKorTLna/unjl/9SWZcRmvV58o9jwU2Y038VuPXZcr01jcw/1O3x+yeAuwyGzbucI/mLTDa1QoEml3A==} - requiresBuild: true - peerDependencies: - rxjs: '>=7.8.0' + '@polkadot-api/observable-client@0.1.0(rxjs@7.8.1)': dependencies: '@polkadot-api/metadata-builders': 0.0.1 '@polkadot-api/substrate-bindings': 0.0.1 '@polkadot-api/substrate-client': 0.0.1 '@polkadot-api/utils': 0.0.1 rxjs: 7.8.1 - dev: false optional: true - /@polkadot-api/observable-client@0.3.2(@polkadot-api/substrate-client@0.1.4)(rxjs@7.8.1): - resolution: {integrity: sha512-HGgqWgEutVyOBXoGOPp4+IAq6CNdK/3MfQJmhCJb8YaJiaK4W6aRGrdQuQSTPHfERHCARt9BrOmEvTXAT257Ug==} - requiresBuild: true - peerDependencies: - '@polkadot-api/substrate-client': 0.1.4 - rxjs: '>=7.8.0' + '@polkadot-api/observable-client@0.3.2(@polkadot-api/substrate-client@0.1.4)(rxjs@7.8.1)': dependencies: '@polkadot-api/metadata-builders': 0.3.2 '@polkadot-api/substrate-bindings': 0.6.0 '@polkadot-api/substrate-client': 0.1.4 '@polkadot-api/utils': 0.1.0 rxjs: 7.8.1 - dev: false optional: true - /@polkadot-api/substrate-bindings@0.0.1: - resolution: {integrity: sha512-bAe7a5bOPnuFVmpv7y4BBMRpNTnMmE0jtTqRUw/+D8ZlEHNVEJQGr4wu3QQCl7k1GnSV1wfv3mzIbYjErEBocg==} - requiresBuild: true + '@polkadot-api/substrate-bindings@0.0.1': dependencies: '@noble/hashes': 1.4.0 '@polkadot-api/utils': 0.0.1 '@scure/base': 1.1.7 scale-ts: 1.6.0 - dev: false optional: true - /@polkadot-api/substrate-bindings@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0: - resolution: {integrity: sha512-N4vdrZopbsw8k57uG58ofO7nLXM4Ai7835XqakN27MkjXMp5H830A1KJE0L9sGQR7ukOCDEIHHcwXVrzmJ/PBg==} - requiresBuild: true + '@polkadot-api/substrate-bindings@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': dependencies: '@noble/hashes': 1.5.0 '@polkadot-api/utils': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 '@scure/base': 1.1.9 scale-ts: 1.6.0 - dev: false optional: true - /@polkadot-api/substrate-bindings@0.6.0: - resolution: {integrity: sha512-lGuhE74NA1/PqdN7fKFdE5C1gNYX357j1tWzdlPXI0kQ7h3kN0zfxNOpPUN7dIrPcOFZ6C0tRRVrBylXkI6xPw==} - requiresBuild: true + '@polkadot-api/substrate-bindings@0.6.0': dependencies: '@noble/hashes': 1.5.0 '@polkadot-api/utils': 0.1.0 '@scure/base': 1.1.9 scale-ts: 1.6.0 - dev: false optional: true - /@polkadot-api/substrate-bindings@0.8.0: - resolution: {integrity: sha512-nHj0tUIlrvm3tW8tSG7uvv4QBhfgjcwyNRFWdKQQ77gx83mfLdaBBrz9e2rPggwkWbptDZe2+IXE20OFF/G79w==} + '@polkadot-api/substrate-bindings@0.8.0': dependencies: '@noble/hashes': 1.4.0 '@polkadot-api/utils': 0.1.1 '@scure/base': 1.1.7 scale-ts: 1.6.0 - dev: false - /@polkadot-api/substrate-client@0.0.1: - resolution: {integrity: sha512-9Bg9SGc3AwE+wXONQoW8GC00N3v6lCZLW74HQzqB6ROdcm5VAHM4CB/xRzWSUF9CXL78ugiwtHx3wBcpx4H4Wg==} - requiresBuild: true - dev: false + '@polkadot-api/substrate-client@0.0.1': optional: true - /@polkadot-api/substrate-client@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0: - resolution: {integrity: sha512-lcdvd2ssUmB1CPzF8s2dnNOqbrDa+nxaaGbuts+Vo8yjgSKwds2Lo7Oq+imZN4VKW7t9+uaVcKFLMF7PdH0RWw==} - requiresBuild: true - dev: false + '@polkadot-api/substrate-client@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': optional: true - /@polkadot-api/substrate-client@0.1.4: - resolution: {integrity: sha512-MljrPobN0ZWTpn++da9vOvt+Ex+NlqTlr/XT7zi9sqPtDJiQcYl+d29hFAgpaeTqbeQKZwz3WDE9xcEfLE8c5A==} - requiresBuild: true + '@polkadot-api/substrate-client@0.1.4': dependencies: '@polkadot-api/json-rpc-provider': 0.0.1 '@polkadot-api/utils': 0.1.0 - dev: false optional: true - /@polkadot-api/utils@0.0.1: - resolution: {integrity: sha512-3j+pRmlF9SgiYDabSdZsBSsN5XHbpXOAce1lWj56IEEaFZVjsiCaxDOA7C9nCcgfVXuvnbxqqEGQvnY+QfBAUw==} - requiresBuild: true - dev: false + '@polkadot-api/utils@0.0.1': optional: true - /@polkadot-api/utils@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0: - resolution: {integrity: sha512-0CYaCjfLQJTCRCiYvZ81OncHXEKPzAexCMoVloR+v2nl/O2JRya/361MtPkeNLC6XBoaEgLAG9pWQpH3WePzsw==} - requiresBuild: true - dev: false + '@polkadot-api/utils@0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0': optional: true - /@polkadot-api/utils@0.1.0: - resolution: {integrity: sha512-MXzWZeuGxKizPx2Xf/47wx9sr/uxKw39bVJUptTJdsaQn/TGq+z310mHzf1RCGvC1diHM8f593KrnDgc9oNbJA==} - requiresBuild: true - dev: false + '@polkadot-api/utils@0.1.0': optional: true - /@polkadot-api/utils@0.1.1: - resolution: {integrity: sha512-ho1ORL5jEO96Zl72r/j1YTyX8wfXRD+XXrS8OR2LWdBR24MZqHO96xMboTcFehWK919iMKWAb9rCPNs2NiFS3Q==} - dev: false + '@polkadot-api/utils@0.1.1': {} - /@polkadot/api-augment@10.13.1: - resolution: {integrity: sha512-IAKaCp19QxgOG4HKk9RAgUgC/VNVqymZ2GXfMNOZWImZhxRIbrK+raH5vN2MbWwtVHpjxyXvGsd1RRhnohI33A==} - engines: {node: '>=18'} + '@polkadot/api-augment@10.13.1': dependencies: '@polkadot/api-base': 10.13.1 '@polkadot/rpc-augment': 10.13.1 @@ -1988,11 +7314,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-augment@11.3.1: - resolution: {integrity: sha512-Yj+6rb6h0WwY3yJ+UGhjGW+tyMRFUMsKQuGw+eFsXdjiNU9UoXsAqA2dG7Q1F+oeX/g+y2gLGBezNoCwbl6HfA==} - engines: {node: '>=18'} + '@polkadot/api-augment@11.3.1': dependencies: '@polkadot/api-base': 11.3.1 '@polkadot/rpc-augment': 11.3.1 @@ -2005,11 +7328,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-augment@12.1.1: - resolution: {integrity: sha512-x2cI4mt4y2DZ8b8BoxchlkkpdmvhmOqCLr7IHPcQGaHsA/oLYSgZk8YSvUFb6+W3WjnIZiNMzv/+UB9jQuGQ2Q==} - engines: {node: '>=18'} + '@polkadot/api-augment@12.1.1': dependencies: '@polkadot/api-base': 12.1.1 '@polkadot/rpc-augment': 12.1.1 @@ -2022,11 +7342,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-augment@12.4.2: - resolution: {integrity: sha512-BkG2tQpUUO0iUm65nSqP8hwHkNfN8jQw8apqflJNt9H8EkEL6v7sqwbLvGqtlxM9wzdxbg7lrWp3oHg4rOP31g==} - engines: {node: '>=18'} + '@polkadot/api-augment@12.4.2': dependencies: '@polkadot/api-base': 12.4.2 '@polkadot/rpc-augment': 12.4.2 @@ -2039,11 +7356,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-augment@13.0.1: - resolution: {integrity: sha512-r5R2U8PSPNGBsz+HxZ1JYq/KkDSnDh1aBb+H16wKj2uByXKhedpuGt/z1Myvhfm084ccTloZjXDbfpSdYBLi4Q==} - engines: {node: '>=18'} + '@polkadot/api-augment@13.0.1': dependencies: '@polkadot/api-base': 13.0.1 '@polkadot/rpc-augment': 13.0.1 @@ -2056,11 +7370,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-augment@13.2.1: - resolution: {integrity: sha512-NTkI+/Hm48eWc/4Ojh/5elxnjnow5ptXK97IZdkWAe7mWi9hJR05Uq5lGt/T/57E9LSRWEuYje8cIDS3jbbAAw==} - engines: {node: '>=18'} + '@polkadot/api-augment@13.2.1': dependencies: '@polkadot/api-base': 13.2.1 '@polkadot/rpc-augment': 13.2.1 @@ -2073,11 +7384,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-augment@7.15.1: - resolution: {integrity: sha512-7csQLS6zuYuGq7W1EkTBz1ZmxyRvx/Qpz7E7zPSwxmY8Whb7Yn2effU9XF0eCcRpyfSW8LodF8wMmLxGYs1OaQ==} - engines: {node: '>=14.0.0'} + '@polkadot/api-augment@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/api-base': 7.15.1 @@ -2089,11 +7397,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/api-augment@9.14.2: - resolution: {integrity: sha512-19MmW8AHEcLkdcUIo3LLk0eCQgREWqNSxkUyOeWn7UiNMY1AhDOOwMStUBNCvrIDK6VL6GGc1sY7rkPCLMuKSw==} - engines: {node: '>=14.0.0'} + '@polkadot/api-augment@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/api-base': 9.14.2 @@ -2106,11 +7411,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@10.13.1: - resolution: {integrity: sha512-Okrw5hjtEjqSMOG08J6qqEwlUQujTVClvY1/eZkzKwNzPelWrtV6vqfyJklB7zVhenlxfxqhZKKcY7zWSW/q5Q==} - engines: {node: '>=18'} + '@polkadot/api-base@10.13.1': dependencies: '@polkadot/rpc-core': 10.13.1 '@polkadot/types': 10.13.1 @@ -2121,11 +7423,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@11.3.1: - resolution: {integrity: sha512-b8UkNL00NN7+3QaLCwL5cKg+7YchHoKCAhwKusWHNBZkkO6Oo2BWilu0dZkPJOyqV9P389Kbd9+oH+SKs9u2VQ==} - engines: {node: '>=18'} + '@polkadot/api-base@11.3.1': dependencies: '@polkadot/rpc-core': 11.3.1 '@polkadot/types': 11.3.1 @@ -2136,11 +7435,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@12.1.1: - resolution: {integrity: sha512-/zLnekv5uFnjzYWhjUf6m0WOJorA0Qm/CWg7z6V+INnacDmVD+WIgYW+XLka90KXpW92sN5ycZEdcQGKBxSJOg==} - engines: {node: '>=18'} + '@polkadot/api-base@12.1.1': dependencies: '@polkadot/rpc-core': 12.1.1 '@polkadot/types': 12.1.1 @@ -2151,11 +7447,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@12.4.2: - resolution: {integrity: sha512-XYI7Po8i6C4lYZah7Xo0v7zOAawBUfkmtx0YxsLY/665Sup8oqzEj666xtV9qjBzR9coNhQonIFOn+9fh27Ncw==} - engines: {node: '>=18'} + '@polkadot/api-base@12.4.2': dependencies: '@polkadot/rpc-core': 12.4.2 '@polkadot/types': 12.4.2 @@ -2166,11 +7459,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@13.0.1: - resolution: {integrity: sha512-TDkgcSZLd3YQ3j9Zx6coEEiBazaK6y3CboaIuUbPNxR9DchlVdIJWSm/1Agh76opsEABK9SjDfsWzVw0TStidA==} - engines: {node: '>=18'} + '@polkadot/api-base@13.0.1': dependencies: '@polkadot/rpc-core': 13.0.1 '@polkadot/types': 13.0.1 @@ -2181,11 +7471,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@13.2.1: - resolution: {integrity: sha512-00twdIjTjzdYNdU19i2YKLoWBmf2Yr6b3qrvqIVScHipUkKMbfFBgoPRB5FtcviBbEvLurgfyzHklwnrbWo8GQ==} - engines: {node: '>=18'} + '@polkadot/api-base@13.2.1': dependencies: '@polkadot/rpc-core': 13.2.1 '@polkadot/types': 13.2.1 @@ -2196,11 +7483,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-base@7.15.1: - resolution: {integrity: sha512-UlhLdljJPDwGpm5FxOjvJNFTxXMRFaMuVNx6EklbuetbBEJ/Amihhtj0EJRodxQwtZ4ZtPKYKt+g+Dn7OJJh4g==} - engines: {node: '>=14.0.0'} + '@polkadot/api-base@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/rpc-core': 7.15.1 @@ -2210,11 +7494,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/api-base@9.14.2: - resolution: {integrity: sha512-ky9fmzG1Tnrjr/SBZ0aBB21l0TFr+CIyQenQczoUyVgiuxVaI/2Bp6R2SFrHhG28P+PW2/RcYhn2oIAR2Z2fZQ==} - engines: {node: '>=14.0.0'} + '@polkadot/api-base@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/rpc-core': 9.14.2 @@ -2225,11 +7506,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@10.13.1: - resolution: {integrity: sha512-ef0H0GeCZ4q5Om+c61eLLLL29UxFC2/u/k8V1K2JOIU+2wD5LF7sjAoV09CBMKKHfkLenRckVk2ukm4rBqFRpg==} - engines: {node: '>=18'} + '@polkadot/api-derive@10.13.1': dependencies: '@polkadot/api': 10.13.1 '@polkadot/api-augment': 10.13.1 @@ -2245,11 +7523,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@11.3.1: - resolution: {integrity: sha512-9dopzrh4cRuft1nANmBvMY/hEhFDu0VICMTOGxQLOl8NMfcOFPTLAN0JhSBUoicGZhV+c4vpv01NBx/7/IL1HA==} - engines: {node: '>=18'} + '@polkadot/api-derive@11.3.1': dependencies: '@polkadot/api': 11.3.1 '@polkadot/api-augment': 11.3.1 @@ -2265,11 +7540,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@12.1.1: - resolution: {integrity: sha512-VMwHcQY8gU/fhwgRICs9/EwTZVMSWW9Gf1ktwsWQmNM1RnrR6oN4/hvzsQor4Be/mC93w2f8bX/71QVmOgL5NA==} - engines: {node: '>=18'} + '@polkadot/api-derive@12.1.1': dependencies: '@polkadot/api': 12.1.1 '@polkadot/api-augment': 12.1.1 @@ -2285,11 +7557,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@12.4.2: - resolution: {integrity: sha512-R0AMANEnqs5AiTaiQX2FXCxUlOibeDSgqlkyG1/0KDsdr6PO/l3dJOgEO+grgAwh4hdqzk4I9uQpdKxG83f2Gw==} - engines: {node: '>=18'} + '@polkadot/api-derive@12.4.2': dependencies: '@polkadot/api': 12.4.2 '@polkadot/api-augment': 12.4.2 @@ -2305,11 +7574,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@13.0.1: - resolution: {integrity: sha512-TiPSFp6l9ks0HLJoEWHyqKKz28eoWz3xqglFG10As0udU8J1u8trPyr+SLWHT0DVsto3u9CP+OneWWMA7fTlCw==} - engines: {node: '>=18'} + '@polkadot/api-derive@13.0.1': dependencies: '@polkadot/api': 13.0.1 '@polkadot/api-augment': 13.0.1 @@ -2325,11 +7591,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@13.2.1: - resolution: {integrity: sha512-npxvS0kYcSFqmYv2G8QKWAJwFhIv/MBuGU0bV7cGP9K1A3j2Do3yYjvN1dTtY20jBavWNwmWFdXBV6/TRRsgmg==} - engines: {node: '>=18'} + '@polkadot/api-derive@13.2.1': dependencies: '@polkadot/api': 13.2.1 '@polkadot/api-augment': 13.2.1 @@ -2345,11 +7608,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api-derive@7.15.1: - resolution: {integrity: sha512-CsOQppksQBaa34L1fWRzmfQQpoEBwfH0yTTQxgj3h7rFYGVPxEKGeFjo1+IgI2vXXvOO73Z8E4H/MnbxvKrs1Q==} - engines: {node: '>=14.0.0'} + '@polkadot/api-derive@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/api': 7.15.1 @@ -2364,11 +7624,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/api-derive@9.14.2: - resolution: {integrity: sha512-yw9OXucmeggmFqBTMgza0uZwhNjPxS7MaT7lSCUIRKckl1GejdV+qMhL3XFxPFeYzXwzFpdPG11zWf+qJlalqw==} - engines: {node: '>=14.0.0'} + '@polkadot/api-derive@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/api': 9.14.2 @@ -2384,11 +7641,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@10.13.1: - resolution: {integrity: sha512-YrKWR4TQR5CDyGkF0mloEUo7OsUA+bdtENpJGOtNavzOQUDEbxFE0PVzokzZfVfHhHX2CojPVmtzmmLxztyJkg==} - engines: {node: '>=18'} + '@polkadot/api@10.13.1': dependencies: '@polkadot/api-augment': 10.13.1 '@polkadot/api-base': 10.13.1 @@ -2411,11 +7665,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@11.3.1: - resolution: {integrity: sha512-q4kFIIHTLvKxM24b0Eo8hJevsPMme+aITJGrDML9BgdZYTRN14+cu5nXiCsQvaEamdyYj+uCXWe2OV9X7pPxsA==} - engines: {node: '>=18'} + '@polkadot/api@11.3.1': dependencies: '@polkadot/api-augment': 11.3.1 '@polkadot/api-base': 11.3.1 @@ -2438,11 +7689,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@12.1.1: - resolution: {integrity: sha512-XvX1gRUsnHDkEARBS1TAFCXncp6YABf/NCtOBt8FohokSzvB6Kxrcb6zurMbUm2piOdjgW5xsG3TCDRw6vACLA==} - engines: {node: '>=18'} + '@polkadot/api@12.1.1': dependencies: '@polkadot/api-augment': 12.1.1 '@polkadot/api-base': 12.1.1 @@ -2465,11 +7713,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@12.4.2: - resolution: {integrity: sha512-e1KS048471iBWZU10TJNEYOZqLO+8h8ajmVqpaIBOVkamN7tmacBxmHgq0+IA8VrGxjxtYNa1xF5Sqrg76uBEg==} - engines: {node: '>=18'} + '@polkadot/api@12.4.2': dependencies: '@polkadot/api-augment': 12.4.2 '@polkadot/api-base': 12.4.2 @@ -2492,11 +7737,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@13.0.1: - resolution: {integrity: sha512-st+Y5I8+7/3PCtO651viU4C7PcbDZJHB93acPjqCGzpekwrxOmnBEsupw8CcJwyRVzj/7qMadkSd0b/Uc8JqIA==} - engines: {node: '>=18'} + '@polkadot/api@13.0.1': dependencies: '@polkadot/api-augment': 13.0.1 '@polkadot/api-base': 13.0.1 @@ -2519,11 +7761,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@13.2.1: - resolution: {integrity: sha512-QvgKD3/q6KIU3ZuNYFJUNc6B8bGBoqeMF+iaPxJn3Twhh4iVD5XIymD5fVszSqiL1uPXMhzcWecjwE8rDidBoQ==} - engines: {node: '>=18'} + '@polkadot/api@13.2.1': dependencies: '@polkadot/api-augment': 13.2.1 '@polkadot/api-base': 13.2.1 @@ -2546,11 +7785,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/api@7.15.1: - resolution: {integrity: sha512-z0z6+k8+R9ixRMWzfsYrNDnqSV5zHKmyhTCL0I7+1I081V18MJTCFUKubrh0t1gD0/FCt3U9Ibvr4IbtukYLrQ==} - engines: {node: '>=14.0.0'} + '@polkadot/api@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/api-augment': 7.15.1 @@ -2572,11 +7808,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/api@9.14.2: - resolution: {integrity: sha512-R3eYFj2JgY1zRb+OCYQxNlJXCs2FA+AU4uIEiVcXnVLmR3M55tkRNEwYAZmiFxx0pQmegGgPMc33q7TWGdw24A==} - engines: {node: '>=14.0.0'} + '@polkadot/api@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/api-augment': 9.14.2 @@ -2599,11 +7832,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/apps-config@0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1): - resolution: {integrity: sha512-b+l1GpJ6x68h3m1hWWeO6dbsPjY/PtR8mdaDjxHt0CuWf3bUpZQLjPUrAHPtpuJ3DxwbJY+ALK1grMA3JeuchQ==} - engines: {node: '>=18'} + '@polkadot/apps-config@0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1)': dependencies: '@acala-network/type-definitions': 5.1.2(@polkadot/types@12.4.2) '@bifrost-finance/type-definitions': 1.11.3(@polkadot/api@12.4.2) @@ -2660,168 +7890,92 @@ packages: - react-is - supports-color - utf-8-validate - dev: false - /@polkadot/keyring@10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2): - resolution: {integrity: sha512-7iHhJuXaHrRTG6cJDbZE9G+c1ts1dujp0qbO4RfAPmT7YUvphHvAtCKueN9UKPz5+TYDL+rP/jDEaSKU8jl/qQ==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 10.4.2 - '@polkadot/util-crypto': 10.4.2 + '@polkadot/keyring@10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 '@polkadot/util-crypto': 10.4.2(@polkadot/util@10.4.2) - dev: false - /@polkadot/keyring@12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2): - resolution: {integrity: sha512-O3Q7GVmRYm8q7HuB3S0+Yf/q/EB2egKRRU3fv9b3B7V+A52tKzA+vIwEmNVaD1g5FKW9oB97rmpggs0zaKFqHw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 12.6.2 - '@polkadot/util-crypto': 12.6.2 + '@polkadot/keyring@12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) tslib: 2.7.0 - dev: false - /@polkadot/keyring@12.6.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-O3Q7GVmRYm8q7HuB3S0+Yf/q/EB2egKRRU3fv9b3B7V+A52tKzA+vIwEmNVaD1g5FKW9oB97rmpggs0zaKFqHw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 12.6.2 - '@polkadot/util-crypto': 12.6.2 + '@polkadot/keyring@12.6.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) tslib: 2.7.0 - dev: false - /@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-Wm+9gn946GIPjGzvueObLGBBS9s541HE6mvKdWGEmPFMzH93ESN931RZlOd67my5MWryiSP05h5SHTp7bSaQTA==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 13.1.1 - '@polkadot/util-crypto': 13.1.1 + '@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) tslib: 2.7.0 - dev: false - /@polkadot/keyring@6.11.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-rW8INl7pO6Dmaffd6Df1yAYCRWa2RmWQ0LGfJeA/M6seVIkI6J3opZqAd4q2Op+h9a7z4TESQGk8yggOEL+Csg==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 6.11.1 - '@polkadot/util-crypto': 6.11.1 + '@polkadot/keyring@6.11.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - dev: false - /@polkadot/keyring@7.9.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-6UGoIxhiTyISkYEZhUbCPpgVxaneIfb/DBVlHtbvaABc8Mqh1KuqcTIq19Mh9wXlBuijl25rw4lUASrE/9sBqg==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 7.9.2 - '@polkadot/util-crypto': 7.9.2 + '@polkadot/keyring@7.9.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - dev: false - /@polkadot/keyring@8.7.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-t6ZgQVC+nQT7XwbWtEhkDpiAzxKVJw8Xd/gWdww6xIrawHu7jo3SGB4QNdPgkf8TvDHYAAJiupzVQYAlOIq3GA==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 8.7.1 - '@polkadot/util-crypto': 8.7.1 + '@polkadot/keyring@8.7.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - dev: false - /@polkadot/keyring@8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1): - resolution: {integrity: sha512-t6ZgQVC+nQT7XwbWtEhkDpiAzxKVJw8Xd/gWdww6xIrawHu7jo3SGB4QNdPgkf8TvDHYAAJiupzVQYAlOIq3GA==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 8.7.1 - '@polkadot/util-crypto': 8.7.1 + '@polkadot/keyring@8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 '@polkadot/util-crypto': 8.7.1(@polkadot/util@8.7.1) - dev: false - /@polkadot/metadata@4.17.1: - resolution: {integrity: sha512-219isiCWVfbu5JxZnOPj+cV4T+S0XHS4+Jal3t3xz9y4nbgr+25Pa4KInEsJPx0u8EZAxMeiUCX3vd5U7oe72g==} - engines: {node: '>=14.0.0'} + '@polkadot/metadata@4.17.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/types': 4.17.1 '@polkadot/types-known': 4.17.1 '@polkadot/util': 6.11.1 '@polkadot/util-crypto': 6.11.1(@polkadot/util@6.11.1) - dev: false - /@polkadot/networks@10.4.2: - resolution: {integrity: sha512-FAh/znrEvWBiA/LbcT5GXHsCFUl//y9KqxLghSr/CreAmAergiJNT0MVUezC7Y36nkATgmsr4ylFwIxhVtuuCw==} - engines: {node: '>=14.0.0'} + '@polkadot/networks@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 '@substrate/ss58-registry': 1.50.0 - dev: false - /@polkadot/networks@12.6.2: - resolution: {integrity: sha512-1oWtZm1IvPWqvMrldVH6NI2gBoCndl5GEwx7lAuQWGr7eNL+6Bdc5K3Z9T0MzFvDGoi2/CBqjX9dRKo39pDC/w==} - engines: {node: '>=18'} + '@polkadot/networks@12.6.2': dependencies: '@polkadot/util': 12.6.2 '@substrate/ss58-registry': 1.44.0 tslib: 2.7.0 - dev: false - /@polkadot/networks@13.1.1: - resolution: {integrity: sha512-eEQ4+Mfl1xFtApeU5PdXZ2XBhxNSvUz9yW+YQVGUCkXRjWFbqNRsTOYWGd9uFbiAOXiiiXbtqfZpxSDzIm4XOg==} - engines: {node: '>=18'} + '@polkadot/networks@13.1.1': dependencies: '@polkadot/util': 13.1.1 '@substrate/ss58-registry': 1.50.0 tslib: 2.7.0 - dev: false - /@polkadot/networks@6.11.1: - resolution: {integrity: sha512-0C6Ha2kvr42se3Gevx6UhHzv3KnPHML0N73Amjwvdr4y0HLZ1Nfw+vcm5yqpz5gpiehqz97XqFrsPRauYdcksQ==} - engines: {node: '>=14.0.0'} + '@polkadot/networks@6.11.1': dependencies: '@babel/runtime': 7.25.6 - dev: false - /@polkadot/networks@8.7.1: - resolution: {integrity: sha512-8xAmhDW0ry5EKcEjp6VTuwoTm0DdDo/zHsmx88P6sVL87gupuFsL+B6TrsYLl8GcaqxujwrOlKB+CKTUg7qFKg==} - engines: {node: '>=14.0.0'} + '@polkadot/networks@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 '@substrate/ss58-registry': 1.50.0 - dev: false - /@polkadot/react-identicon@3.10.1(@polkadot/keyring@13.1.1)(@polkadot/networks@13.1.1)(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1): - resolution: {integrity: sha512-zzcKixDj27YdA4gTN+IvKFFSgatKliHuqsEjOJxAidLsbD1EUJUqeYuNhUftLFGO7JEJG0qrKJhCNLBvDJcJlg==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/keyring': '*' - '@polkadot/util': '*' - '@polkadot/util-crypto': '*' - react: '*' - react-dom: '*' - react-is: '*' + '@polkadot/react-identicon@3.10.1(@polkadot/keyring@13.1.1)(@polkadot/networks@13.1.1)(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1)': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/ui-settings': 3.10.1(@polkadot/networks@13.1.1)(@polkadot/util@13.1.1) @@ -2838,11 +7992,8 @@ packages: tslib: 2.7.0 transitivePeerDependencies: - '@polkadot/networks' - dev: false - /@polkadot/rpc-augment@10.13.1: - resolution: {integrity: sha512-iLsWUW4Jcx3DOdVrSHtN0biwxlHuTs4QN2hjJV0gd0jo7W08SXhWabZIf9mDmvUJIbR7Vk+9amzvegjRyIf5+A==} - engines: {node: '>=18'} + '@polkadot/rpc-augment@10.13.1': dependencies: '@polkadot/rpc-core': 10.13.1 '@polkadot/types': 10.13.1 @@ -2853,11 +8004,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-augment@11.3.1: - resolution: {integrity: sha512-2PaDcKNju4QYQpxwVkWbRU3M0t340nMX9cMo+8awgvgL1LliV/fUDZueMKLuSS910JJMTPQ7y2pK4eQgMt08gQ==} - engines: {node: '>=18'} + '@polkadot/rpc-augment@11.3.1': dependencies: '@polkadot/rpc-core': 11.3.1 '@polkadot/types': 11.3.1 @@ -2868,11 +8016,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-augment@12.1.1: - resolution: {integrity: sha512-oDPn070l94pppXbuVk75BVsYgupdV8ndmslnUKWpPlfOeAU5SaBu4jMkj3eAi3VH0ersUpmlp1UuYN612//h8w==} - engines: {node: '>=18'} + '@polkadot/rpc-augment@12.1.1': dependencies: '@polkadot/rpc-core': 12.1.1 '@polkadot/types': 12.1.1 @@ -2883,11 +8028,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-augment@12.4.2: - resolution: {integrity: sha512-IEco5pnso+fYkZNMlMAN5i4XAxdXPv0PZ0HNuWlCwF/MmRvWl8pq5JFtY1FiByHEbeuHwMIUhHM5SDKQ85q9Hg==} - engines: {node: '>=18'} + '@polkadot/rpc-augment@12.4.2': dependencies: '@polkadot/rpc-core': 12.4.2 '@polkadot/types': 12.4.2 @@ -2898,11 +8040,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-augment@13.0.1: - resolution: {integrity: sha512-igXNG8mONVgqS4Olt7+WmPoX7G/QL/xrHkPOAD2sbS8+p8LC2gDe/+vVFIkKtEKAHgYSel3vZT3iIppjtEG6gw==} - engines: {node: '>=18'} + '@polkadot/rpc-augment@13.0.1': dependencies: '@polkadot/rpc-core': 13.0.1 '@polkadot/types': 13.0.1 @@ -2913,11 +8052,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-augment@13.2.1: - resolution: {integrity: sha512-HkndaAJPR1fi2xrzvP3q4g48WUCb26btGTeg1AKG9FGx9P2dgtpaPRmbMitmgVSzzRurrkxf3Meip8nC7BwDeg==} - engines: {node: '>=18'} + '@polkadot/rpc-augment@13.2.1': dependencies: '@polkadot/rpc-core': 13.2.1 '@polkadot/types': 13.2.1 @@ -2928,11 +8064,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-augment@7.15.1: - resolution: {integrity: sha512-sK0+mphN7nGz/eNPsshVi0qd0+N0Pqxuebwc1YkUGP0f9EkDxzSGp6UjGcSwWVaAtk9WZZ1MpK1Jwb/2GrKV7Q==} - engines: {node: '>=14.0.0'} + '@polkadot/rpc-augment@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/rpc-core': 7.15.1 @@ -2942,11 +8075,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/rpc-augment@9.14.2: - resolution: {integrity: sha512-mOubRm3qbKZTbP9H01XRrfTk7k5it9WyzaWAg72DJBQBYdgPUUkGSgpPD/Srkk5/5GAQTWVWL1I2UIBKJ4TJjQ==} - engines: {node: '>=14.0.0'} + '@polkadot/rpc-augment@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/rpc-core': 9.14.2 @@ -2957,11 +8087,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@10.13.1: - resolution: {integrity: sha512-eoejSHa+/tzHm0vwic62/aptTGbph8vaBpbvLIK7gd00+rT813ROz5ckB1CqQBFB23nHRLuzzX/toY8ID3xrKw==} - engines: {node: '>=18'} + '@polkadot/rpc-core@10.13.1': dependencies: '@polkadot/rpc-augment': 10.13.1 '@polkadot/rpc-provider': 10.13.1 @@ -2973,11 +8100,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@11.3.1: - resolution: {integrity: sha512-KKNepsDd/mpmXcA6v/h14eFFPEzLGd7nrvx2UUXUxoZ0Fq2MH1hplP3s93k1oduNY/vOXJR2K9S4dKManA6GVQ==} - engines: {node: '>=18'} + '@polkadot/rpc-core@11.3.1': dependencies: '@polkadot/rpc-augment': 11.3.1 '@polkadot/rpc-provider': 11.3.1 @@ -2989,11 +8113,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@12.1.1: - resolution: {integrity: sha512-NB4BZo9RdAZPBfZ11NoujB8+SDkDgvlrSiiv9FPMhfvTJo0Sr5FAq0Wd2aSC4D/6qbt5e89CHOW+0gBEm9d6dw==} - engines: {node: '>=18'} + '@polkadot/rpc-core@12.1.1': dependencies: '@polkadot/rpc-augment': 12.1.1 '@polkadot/rpc-provider': 12.1.1 @@ -3005,11 +8126,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@12.4.2: - resolution: {integrity: sha512-yaveqxNcmyluyNgsBT5tpnCa/md0CGbOtRK7K82LWsz7gsbh0x80GBbJrQGxsUybg1gPeZbO1q9IigwA6fY8ag==} - engines: {node: '>=18'} + '@polkadot/rpc-core@12.4.2': dependencies: '@polkadot/rpc-augment': 12.4.2 '@polkadot/rpc-provider': 12.4.2 @@ -3021,11 +8139,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@13.0.1: - resolution: {integrity: sha512-+z7/4RUsJKiELEunZgXvi4GkGgjPhQd3+RYwCCN455efJ15SHPgdREsAOwUSBO5/dODqXeqZYojKAUIxMlJNqw==} - engines: {node: '>=18'} + '@polkadot/rpc-core@13.0.1': dependencies: '@polkadot/rpc-augment': 13.0.1 '@polkadot/rpc-provider': 13.0.1 @@ -3037,11 +8152,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@13.2.1: - resolution: {integrity: sha512-hy0GksUlb/TfQ38m3ysIWj3qD+rIsyCdxx8Ug5rIx1u0odv86NZ7nTqtH066Ct2riVaPBgBkObFnlpDWTJ6auA==} - engines: {node: '>=18'} + '@polkadot/rpc-core@13.2.1': dependencies: '@polkadot/rpc-augment': 13.2.1 '@polkadot/rpc-provider': 13.2.1 @@ -3053,11 +8165,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-core@7.15.1: - resolution: {integrity: sha512-4Sb0e0PWmarCOizzxQAE1NQSr5z0n+hdkrq3+aPohGu9Rh4PodG+OWeIBy7Ov/3GgdhNQyBLG+RiVtliXecM3g==} - engines: {node: '>=14.0.0'} + '@polkadot/rpc-core@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/rpc-augment': 7.15.1 @@ -3068,11 +8177,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/rpc-core@9.14.2: - resolution: {integrity: sha512-krA/mtQ5t9nUQEsEVC1sjkttLuzN6z6gyJxK2IlpMS3S5ncy/R6w4FOpy+Q0H18Dn83JBo0p7ZtY7Y6XkK48Kw==} - engines: {node: '>=14.0.0'} + '@polkadot/rpc-core@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/rpc-augment': 9.14.2 @@ -3084,11 +8190,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@10.13.1: - resolution: {integrity: sha512-oJ7tatVXYJ0L7NpNiGd69D558HG5y5ZDmH2Bp9Dd4kFTQIiV8A39SlWwWUPCjSsen9lqSvvprNLnG/VHTpenbw==} - engines: {node: '>=18'} + '@polkadot/rpc-provider@10.13.1': dependencies: '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) '@polkadot/types': 10.13.1 @@ -3108,11 +8211,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@11.3.1: - resolution: {integrity: sha512-pqERChoHo45hd3WAgW8UuzarRF+G/o/eXEbl0PXLubiayw4X4qCmIzmtntUcKYgxGNcYGZaG87ZU8OjN97m6UA==} - engines: {node: '>=18'} + '@polkadot/rpc-provider@11.3.1': dependencies: '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) '@polkadot/types': 11.3.1 @@ -3132,11 +8232,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@12.1.1: - resolution: {integrity: sha512-nDr0Qb5sIzTTx6qmgr9ibNcQs/VDoPzZ+49kcltf0A6BdSytGy532Yhf2A158aD41324V9YPAzxVRLxZyJzhkw==} - engines: {node: '>=18'} + '@polkadot/rpc-provider@12.1.1': dependencies: '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) '@polkadot/types': 12.1.1 @@ -3156,11 +8253,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@12.4.2: - resolution: {integrity: sha512-cAhfN937INyxwW1AdjABySdCKhC7QCIONRDHDea1aLpiuxq/w+QwjxauR9fCNGh3lTaAwwnmZ5WfFU2PtkDMGQ==} - engines: {node: '>=18'} + '@polkadot/rpc-provider@12.4.2': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types': 12.4.2 @@ -3180,11 +8274,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@13.0.1: - resolution: {integrity: sha512-rl7jizh0b9FI2Z81vbpm+ui6cND3zxMMC8SSxkIzemC0t1L6O/I+zaPYwNpqVpa7wIeZbSfe69SrvtjeZBcn2g==} - engines: {node: '>=18'} + '@polkadot/rpc-provider@13.0.1': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types': 13.0.1 @@ -3204,11 +8295,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@13.2.1: - resolution: {integrity: sha512-bbMVYHTNFUa89aY3UQ1hFYD+dP+v+0vhjsnHYYlv37rSUTqOGqW91rkHd63xYCpLAimFt7KRw8xR+SMSYiuDjw==} - engines: {node: '>=18'} + '@polkadot/rpc-provider@13.2.1': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types': 13.2.1 @@ -3228,11 +8316,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/rpc-provider@7.15.1: - resolution: {integrity: sha512-n0RWfSaD/r90JXeJkKry1aGZwJeBUUiMpXUQ9Uvp6DYBbYEDs0fKtWLpdT3PdFrMbe5y3kwQmNLxwe6iF4+mzg==} - engines: {node: '>=14.0.0'} + '@polkadot/rpc-provider@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1) @@ -3250,11 +8335,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /@polkadot/rpc-provider@9.14.2: - resolution: {integrity: sha512-YTSywjD5PF01V47Ru5tln2LlpUwJiSOdz6rlJXPpMaY53hUp7+xMU01FVAQ1bllSBNisSD1Msv/mYHq84Oai2g==} - engines: {node: '>=14.0.0'} + '@polkadot/rpc-provider@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2) @@ -3274,234 +8356,159 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@polkadot/types-augment@10.13.1: - resolution: {integrity: sha512-TcrLhf95FNFin61qmVgOgayzQB/RqVsSg9thAso1Fh6pX4HSbvI35aGPBAn3SkA6R+9/TmtECirpSNLtIGFn0g==} - engines: {node: '>=18'} + '@polkadot/types-augment@10.13.1': dependencies: '@polkadot/types': 10.13.1 '@polkadot/types-codec': 10.13.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-augment@11.3.1: - resolution: {integrity: sha512-eR3HVpvUmB3v7q2jTWVmVfAVfb1/kuNn7ij94Zqadg/fuUq0pKqIOKwkUj3OxRM3A/5BnW3MbgparjKD3r+fyw==} - engines: {node: '>=18'} + '@polkadot/types-augment@11.3.1': dependencies: '@polkadot/types': 11.3.1 '@polkadot/types-codec': 11.3.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-augment@12.1.1: - resolution: {integrity: sha512-HdzjaXapcmNAdT6TWJOuv124PTKbAf5+5JldQ7oPZFaCEhaOTazZYiZ27nqLaj0l4rG7wWzFMiGqjbHwAvtmlg==} - engines: {node: '>=18'} + '@polkadot/types-augment@12.1.1': dependencies: '@polkadot/types': 12.1.1 '@polkadot/types-codec': 12.1.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-augment@12.4.2: - resolution: {integrity: sha512-3fDCOy2BEMuAtMYl4crKg76bv/0pDNEuzpAzV4EBUMIlJwypmjy5sg3gUPCMcA+ckX3xb8DhkWU4ceUdS7T2KQ==} - engines: {node: '>=18'} + '@polkadot/types-augment@12.4.2': dependencies: '@polkadot/types': 12.4.2 '@polkadot/types-codec': 12.4.2 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-augment@13.0.1: - resolution: {integrity: sha512-MKS8OAiKHgeeLwyjPukHRwlUlrTkdPTVdsFs6H3yWUr0G2I2nIgHuOTK/8OYVBMplNnLgPsNtpEpY+VduAEefQ==} - engines: {node: '>=18'} + '@polkadot/types-augment@13.0.1': dependencies: '@polkadot/types': 13.0.1 '@polkadot/types-codec': 13.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-augment@13.2.1: - resolution: {integrity: sha512-FpV7/2kIJmmswRmwUbp41lixdNX15olueUjHnSweFk0xEn2Ur43oC0Y3eU3Ab7Y5gPJpceMCfwYz+PjCUGedDA==} - engines: {node: '>=18'} + '@polkadot/types-augment@13.2.1': dependencies: '@polkadot/types': 13.2.1 '@polkadot/types-codec': 13.2.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-augment@7.15.1: - resolution: {integrity: sha512-aqm7xT/66TCna0I2utpIekoquKo0K5pnkA/7WDzZ6gyD8he2h0IXfe8xWjVmuyhjxrT/C/7X1aUF2Z0xlOCwzQ==} - engines: {node: '>=14.0.0'} + '@polkadot/types-augment@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/types': 7.15.1 '@polkadot/types-codec': 7.15.1 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/types-augment@9.14.2: - resolution: {integrity: sha512-WO9d7RJufUeY3iFgt2Wz762kOu1tjEiGBR5TT4AHtpEchVHUeosVTrN9eycC+BhleqYu52CocKz6u3qCT/jKLg==} - engines: {node: '>=14.0.0'} + '@polkadot/types-augment@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/types': 9.14.2 '@polkadot/types-codec': 9.14.2 '@polkadot/util': 10.4.2 - dev: false - /@polkadot/types-codec@10.13.1: - resolution: {integrity: sha512-AiQ2Vv2lbZVxEdRCN8XSERiWlOWa2cTDLnpAId78EnCtx4HLKYQSd+Jk9Y4BgO35R79mchK4iG+w6gZ+ukG2bg==} - engines: {node: '>=18'} + '@polkadot/types-codec@10.13.1': dependencies: '@polkadot/util': 12.6.2 '@polkadot/x-bigint': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-codec@11.3.1: - resolution: {integrity: sha512-i7IiiuuL+Z/jFoKTA9xeh4wGQnhnNNjMT0+1ohvlOvnFsoKZKFQQOaDPPntGJVL1JDCV+KjkN2uQKZSeW8tguQ==} - engines: {node: '>=18'} + '@polkadot/types-codec@11.3.1': dependencies: '@polkadot/util': 12.6.2 '@polkadot/x-bigint': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-codec@12.1.1: - resolution: {integrity: sha512-Ob3nFptHT4dDvGc/3l4dBXmvsI3wDWS2oCOxACA+hYWufnlTIQ4M4sHI4kSBQvDoEmaFt8P2Be4SmtyT0VSd1w==} - engines: {node: '>=18'} + '@polkadot/types-codec@12.1.1': dependencies: '@polkadot/util': 12.6.2 '@polkadot/x-bigint': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-codec@12.4.2: - resolution: {integrity: sha512-DiPGRFWtVMepD9i05eC3orSbGtpN7un/pXOrXu0oriU+oxLkpvZH68ZsPNtJhKdQy03cAYtvB8elJOFJZYqoqQ==} - engines: {node: '>=18'} + '@polkadot/types-codec@12.4.2': dependencies: '@polkadot/util': 13.1.1 '@polkadot/x-bigint': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-codec@13.0.1: - resolution: {integrity: sha512-E+8Ny8wr/BEGqchoLejP8Z6qmQQaJmBui1rlwWgKCypI4gnDvhNa+hHheIgrUfSzNwUgsxC/04G9fIRnCaxDpw==} - engines: {node: '>=18'} + '@polkadot/types-codec@13.0.1': dependencies: '@polkadot/util': 13.1.1 '@polkadot/x-bigint': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-codec@13.2.1: - resolution: {integrity: sha512-tFAzzS8sMYItoD5a91sFMD+rskWyv4WjSmUZaj0Y4OfLtDAiQvgO0KncdGJIB6D+zZ/T7khpgsv/CZbN3YnezA==} - engines: {node: '>=18'} + '@polkadot/types-codec@13.2.1': dependencies: '@polkadot/util': 13.1.1 '@polkadot/x-bigint': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-codec@7.15.1: - resolution: {integrity: sha512-nI11dT7FGaeDd/fKPD8iJRFGhosOJoyjhZ0gLFFDlKCaD3AcGBRTTY8HFJpP/5QXXhZzfZsD93fVKrosnegU0Q==} - engines: {node: '>=14.0.0'} + '@polkadot/types-codec@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/types-codec@9.14.2: - resolution: {integrity: sha512-AJ4XF7W1no4PENLBRU955V6gDxJw0h++EN3YoDgThozZ0sj3OxyFupKgNBZcZb2V23H8JxQozzIad8k+nJbO1w==} - engines: {node: '>=14.0.0'} + '@polkadot/types-codec@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 '@polkadot/x-bigint': 10.4.2 - dev: false - /@polkadot/types-create@10.13.1: - resolution: {integrity: sha512-Usn1jqrz35SXgCDAqSXy7mnD6j4RvB4wyzTAZipFA6DGmhwyxxIgOzlWQWDb+1PtPKo9vtMzen5IJ+7w5chIeA==} - engines: {node: '>=18'} + '@polkadot/types-create@10.13.1': dependencies: '@polkadot/types-codec': 10.13.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-create@11.3.1: - resolution: {integrity: sha512-pBXtpz5FehcRJ6j5MzFUIUN8ZWM7z6HbqK1GxBmYbJVRElcGcOg7a/rL2pQVphU0Rx1E8bSO4thzGf4wUxSX7w==} - engines: {node: '>=18'} + '@polkadot/types-create@11.3.1': dependencies: '@polkadot/types-codec': 11.3.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-create@12.1.1: - resolution: {integrity: sha512-K/I4vCnmI7IbtQeURiRMONDqesIVcZp16KEduBcbJm/RWDj0D3mr71066Yr8OhrhteLvULJpViy7EK4ynPvmSw==} - engines: {node: '>=18'} + '@polkadot/types-create@12.1.1': dependencies: '@polkadot/types-codec': 12.1.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-create@12.4.2: - resolution: {integrity: sha512-nOpeAKZLdSqNMfzS3waQXgyPPaNt8rUHEmR5+WNv6c/Ke/vyf710wjxiTewfp0wpBgtdrimlgG4DLX1J9Ms1LA==} - engines: {node: '>=18'} + '@polkadot/types-create@12.4.2': dependencies: '@polkadot/types-codec': 12.4.2 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-create@13.0.1: - resolution: {integrity: sha512-ge5ZmZOQoCqSOB1JtcZZFq2ysh4rnS9xrwC5BVbtk9GZaop5hRmLLmCXqDn49zEsgynRWHgOiKMP8T9AvOigMg==} - engines: {node: '>=18'} + '@polkadot/types-create@13.0.1': dependencies: '@polkadot/types-codec': 13.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-create@13.2.1: - resolution: {integrity: sha512-O/WKdsrNuMaZLf+XRCdum2xJYs5OKC6N3EMPF5Uhg10b80Y/hQCbzA/iWd3/aMNDLUA5XWhixwzJdrZWIMVIzg==} - engines: {node: '>=18'} + '@polkadot/types-create@13.2.1': dependencies: '@polkadot/types-codec': 13.2.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-create@7.15.1: - resolution: {integrity: sha512-+HiaHn7XOwP0kv/rVdORlVkNuMoxuvt+jd67A/CeEreJiXqRLu+S61Mdk7wi6719PTaOal1hTDFfyGrtUd8FSQ==} - engines: {node: '>=14.0.0'} + '@polkadot/types-create@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/types-codec': 7.15.1 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/types-create@9.14.2: - resolution: {integrity: sha512-nSnKpBierlmGBQT8r6/SHf6uamBIzk4WmdMsAsR4uJKJF1PtbIqx2W5PY91xWSiMSNMzjkbCppHkwaDAMwLGaw==} - engines: {node: '>=14.0.0'} + '@polkadot/types-create@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/types-codec': 9.14.2 '@polkadot/util': 10.4.2 - dev: false - /@polkadot/types-known@10.13.1: - resolution: {integrity: sha512-uHjDW05EavOT5JeU8RbiFWTgPilZ+odsCcuEYIJGmK+es3lk/Qsdns9Zb7U7NJl7eJ6OWmRtyrWsLs+bU+jjIQ==} - engines: {node: '>=18'} + '@polkadot/types-known@10.13.1': dependencies: '@polkadot/networks': 12.6.2 '@polkadot/types': 10.13.1 @@ -3509,11 +8516,8 @@ packages: '@polkadot/types-create': 10.13.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-known@11.3.1: - resolution: {integrity: sha512-3BIof7u6tn9bk3ZCIxA07iNoQ3uj4+vn3DTOjCKECozkRlt6V+kWRvqh16Hc0SHMg/QjcMb2fIu/WZhka1McUQ==} - engines: {node: '>=18'} + '@polkadot/types-known@11.3.1': dependencies: '@polkadot/networks': 12.6.2 '@polkadot/types': 11.3.1 @@ -3521,11 +8525,8 @@ packages: '@polkadot/types-create': 11.3.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-known@12.1.1: - resolution: {integrity: sha512-4YxY7tB+BVX6k3ubrToYKyh2Jb4QvoLvzwNSGSjyj0RGwiQCu8anFGIzYdaUJ2iQlhLFb6P4AZWykVvhrXGmqg==} - engines: {node: '>=18'} + '@polkadot/types-known@12.1.1': dependencies: '@polkadot/networks': 12.6.2 '@polkadot/types': 12.1.1 @@ -3533,11 +8534,8 @@ packages: '@polkadot/types-create': 12.1.1 '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-known@12.4.2: - resolution: {integrity: sha512-bvhO4KQu/dgPmdwQXsweSMRiRisJ7Bp38lZVEIFykfd2qYyRW3OQEbIPKYpx9raD+fDATU0bTiKQnELrSGhYXw==} - engines: {node: '>=18'} + '@polkadot/types-known@12.4.2': dependencies: '@polkadot/networks': 13.1.1 '@polkadot/types': 12.4.2 @@ -3545,11 +8543,8 @@ packages: '@polkadot/types-create': 12.4.2 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-known@13.0.1: - resolution: {integrity: sha512-ZWtQSrDoO290RJu7mZDo1unKcfz1O3ylQkKH7g3oh6Mzmq9I4q7jeS1kS22rJml45berAPIVqZ3zFfODTl6ngA==} - engines: {node: '>=18'} + '@polkadot/types-known@13.0.1': dependencies: '@polkadot/networks': 13.1.1 '@polkadot/types': 13.0.1 @@ -3557,11 +8552,8 @@ packages: '@polkadot/types-create': 13.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-known@13.2.1: - resolution: {integrity: sha512-uz3c4/IvspLpgN8q15A+QH8KWFauzcrV3RfLFlMP2BkkF5qpOwNeP7c4U8j0CZGQySqBsJRCGWmgBXrXg669KA==} - engines: {node: '>=18'} + '@polkadot/types-known@13.2.1': dependencies: '@polkadot/networks': 13.1.1 '@polkadot/types': 13.2.1 @@ -3569,31 +8561,22 @@ packages: '@polkadot/types-create': 13.2.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-known@4.17.1: - resolution: {integrity: sha512-YkOwGrO+k9aVrBR8FgYHnfJKhOfpdgC5ZRYNL/xJ9oa7lBYqPts9ENAxeBmJS/5IGeDF9f32MNyrCP2umeCXWg==} - engines: {node: '>=14.0.0'} + '@polkadot/types-known@4.17.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/networks': 6.11.1 '@polkadot/types': 4.17.1 '@polkadot/util': 6.11.1 - dev: false - /@polkadot/types-known@6.12.1: - resolution: {integrity: sha512-Z8bHpPQy+mqUm0uR1tai6ra0bQIoPmgRcGFYUM+rJtW1kx/6kZLh10HAICjLpPeA1cwLRzaxHRDqH5MCU6OgXw==} - engines: {node: '>=14.0.0'} + '@polkadot/types-known@6.12.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/networks': 8.7.1 '@polkadot/types': 6.12.1 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/types-known@7.15.1: - resolution: {integrity: sha512-LMcNP0CxT84DqAKV62/qDeeIVIJCR5yzE9b+9AsYhyfhE4apwxjrThqZA7K0CF56bOdQJSexAerYB/jwk2IijA==} - engines: {node: '>=14.0.0'} + '@polkadot/types-known@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/networks': 8.7.1 @@ -3601,11 +8584,8 @@ packages: '@polkadot/types-codec': 7.15.1 '@polkadot/types-create': 7.15.1 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/types-known@9.14.2: - resolution: {integrity: sha512-iM8WOCgguzJ3TLMqlm4K1gKQEwWm2zxEKT1HZZ1irs/lAbBk9MquDWDvebryiw3XsLB8xgrp3RTIBn2Q4FjB2A==} - engines: {node: '>=14.0.0'} + '@polkadot/types-known@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/networks': 10.4.2 @@ -3613,75 +8593,48 @@ packages: '@polkadot/types-codec': 9.14.2 '@polkadot/types-create': 9.14.2 '@polkadot/util': 10.4.2 - dev: false - /@polkadot/types-support@10.13.1: - resolution: {integrity: sha512-4gEPfz36XRQIY7inKq0HXNVVhR6HvXtm7yrEmuBuhM86LE0lQQBkISUSgR358bdn2OFSLMxMoRNoh3kcDvdGDQ==} - engines: {node: '>=18'} + '@polkadot/types-support@10.13.1': dependencies: '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-support@11.3.1: - resolution: {integrity: sha512-jTFz1GKyF7nI29yIOq4v0NiWTOf5yX4HahJNeFD8TcxoLhF+6tH/XXqrUXJEfbaTlSrRWiW1LZYlb+snctqKHA==} - engines: {node: '>=18'} + '@polkadot/types-support@11.3.1': dependencies: '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-support@12.1.1: - resolution: {integrity: sha512-mLXrbj0maKFWqV1+4QRzaNnZyV/rAQW0XSrIzfIZn//zSRSIUaXaVAZ62uzgdmzXXFH2qD3hpNlmvmjcEMm2Qg==} - engines: {node: '>=18'} + '@polkadot/types-support@12.1.1': dependencies: '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/types-support@12.4.2: - resolution: {integrity: sha512-bz6JSt23UEZ2eXgN4ust6z5QF9pO5uNH7UzCP+8I/Nm85ZipeBYj2Wu6pLlE3Hw30hWZpuPxMDOKoEhN5bhLgw==} - engines: {node: '>=18'} + '@polkadot/types-support@12.4.2': dependencies: '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-support@13.0.1: - resolution: {integrity: sha512-UeGnjvyZSegFgzZ6HlR4H7+1itJBAEkGm9NKwEvZTTZJ0dG4zdxbHLNPURJ9UhDYCZ7bOGqkcB49o+hWY25dDA==} - engines: {node: '>=18'} + '@polkadot/types-support@13.0.1': dependencies: '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-support@13.2.1: - resolution: {integrity: sha512-jSbbUTXU+yZJQPRAWmxaDoe4NRO6SjpZPzBIbpuiadx1slON8XB80fVYIGBXuM2xRVrNrB6fCjyCTG7Razj6Hg==} - engines: {node: '>=18'} + '@polkadot/types-support@13.2.1': dependencies: '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/types-support@7.15.1: - resolution: {integrity: sha512-FIK251ffVo+NaUXLlaJeB5OvT7idDd3uxaoBM6IwsS87rzt2CcWMyCbu0uX89AHZUhSviVx7xaBxfkGEqMePWA==} - engines: {node: '>=14.0.0'} + '@polkadot/types-support@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/types-support@9.14.2: - resolution: {integrity: sha512-VWCOPgXDK3XtXT7wMLyIWeNDZxUbNcw/8Pn6n6vMogs7o/n4h6WGbGMeTIQhPWyn831/RmkVs5+2DUC+2LlOhw==} - engines: {node: '>=14.0.0'} + '@polkadot/types-support@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 - dev: false - /@polkadot/types@10.13.1: - resolution: {integrity: sha512-Hfvg1ZgJlYyzGSAVrDIpp3vullgxrjOlh/CSThd/PI4TTN1qHoPSFm2hs77k3mKkOzg+LrWsLE0P/LP2XddYcw==} - engines: {node: '>=18'} + '@polkadot/types@10.13.1': dependencies: '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) '@polkadot/types-augment': 10.13.1 @@ -3691,11 +8644,8 @@ packages: '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) rxjs: 7.8.1 tslib: 2.7.0 - dev: false - /@polkadot/types@11.3.1: - resolution: {integrity: sha512-5c7uRFXQTT11Awi6T0yFIdAfD6xGDAOz06Kp7M5S9OGNZY28wSPk5x6BYfNphWPaIBmHHewYJB5qmnrdYQAWKQ==} - engines: {node: '>=18'} + '@polkadot/types@11.3.1': dependencies: '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) '@polkadot/types-augment': 11.3.1 @@ -3705,11 +8655,8 @@ packages: '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) rxjs: 7.8.1 tslib: 2.7.0 - dev: false - /@polkadot/types@12.1.1: - resolution: {integrity: sha512-+b8v7ORjL20r6VvdWL/fPTHmDXtfAfqkQQxBB6exxOhqrnJfnhAYQjJomKcyj1VMTQiyyR9FBAc7vVvTEFX2ew==} - engines: {node: '>=18'} + '@polkadot/types@12.1.1': dependencies: '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) '@polkadot/types-augment': 12.1.1 @@ -3719,11 +8666,8 @@ packages: '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) rxjs: 7.8.1 tslib: 2.7.0 - dev: false - /@polkadot/types@12.4.2: - resolution: {integrity: sha512-ivYtt7hYcRvo69ULb1BJA9BE1uefijXcaR089Dzosr9+sMzvsB1yslNQReOq+Wzq6h6AQj4qex6qVqjWZE6Z4A==} - engines: {node: '>=18'} + '@polkadot/types@12.4.2': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types-augment': 12.4.2 @@ -3733,11 +8677,8 @@ packages: '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) rxjs: 7.8.1 tslib: 2.7.0 - dev: false - /@polkadot/types@13.0.1: - resolution: {integrity: sha512-01uOx24Fjvhjt1CvKOL+oy1eExAsF4EVuwgZhwAL+WkD0zqlOlAhqlXn5Wg7sY80yzwmgDTLd8Oej/pHFOdCBQ==} - engines: {node: '>=18'} + '@polkadot/types@13.0.1': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types-augment': 13.0.1 @@ -3747,11 +8688,8 @@ packages: '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) rxjs: 7.8.1 tslib: 2.7.0 - dev: false - /@polkadot/types@13.2.1: - resolution: {integrity: sha512-5yQ0mHMNvwgXeHQ1RZOuHaeak3utAdcBqCpHoagnYrAnGHqtO7kg7YLtT4LkFw2nwL85axu8tOQMv6/3kpFy9w==} - engines: {node: '>=18'} + '@polkadot/types@13.2.1': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types-augment': 13.2.1 @@ -3761,33 +8699,24 @@ packages: '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) rxjs: 7.8.1 tslib: 2.7.0 - dev: false - /@polkadot/types@4.17.1: - resolution: {integrity: sha512-rjW4OFdwvFekzN3ATLibC2JPSd8AWt5YepJhmuCPdwH26r3zB8bEC6dM7YQExLVUmygVPvgXk5ffHI6RAdXBMg==} - engines: {node: '>=14.0.0'} + '@polkadot/types@4.17.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/metadata': 4.17.1 '@polkadot/util': 6.11.1 '@polkadot/util-crypto': 6.11.1(@polkadot/util@6.11.1) '@polkadot/x-rxjs': 6.11.1 - dev: false - /@polkadot/types@6.12.1: - resolution: {integrity: sha512-O37cAGUL0xiXTuO3ySweVh0OuFUD6asrd0TfuzGsEp3jAISWdElEHV5QDiftWq8J9Vf8BMgTcP2QLFbmSusxqA==} - engines: {node: '>=14.0.0'} + '@polkadot/types@6.12.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/types-known': 6.12.1 '@polkadot/util': 8.7.1 '@polkadot/util-crypto': 8.7.1(@polkadot/util@8.7.1) rxjs: 7.8.1 - dev: false - /@polkadot/types@7.15.1: - resolution: {integrity: sha512-KawZVS+eLR1D6O7c/P5cSUwr6biM9Qd2KwKtJIO8l1Mrxp7r+y2tQnXSSXVAd6XPdb3wVMhnIID+NW3W99TAnQ==} - engines: {node: '>=14.0.0'} + '@polkadot/types@7.15.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1) @@ -3797,11 +8726,8 @@ packages: '@polkadot/util': 8.7.1 '@polkadot/util-crypto': 8.7.1(@polkadot/util@8.7.1) rxjs: 7.8.1 - dev: false - /@polkadot/types@9.14.2: - resolution: {integrity: sha512-hGLddTiJbvowhhUZJ3k+olmmBc1KAjWIQxujIUIYASih8FQ3/YJDKxaofGOzh0VygOKW3jxQBN2VZPofyDP9KQ==} - engines: {node: '>=14.0.0'} + '@polkadot/types@9.14.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2) @@ -3811,40 +8737,23 @@ packages: '@polkadot/util': 10.4.2 '@polkadot/util-crypto': 10.4.2(@polkadot/util@10.4.2) rxjs: 7.8.1 - dev: false - /@polkadot/ui-settings@3.10.1(@polkadot/networks@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-FD22MWrTue0Ry4gk+tnCRUOju0tzMwNZoUutSMaYJwIFqiLw4PZu8YRle2uwWI/XioUfjzYC59WDJcYhtY3y4w==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/networks': '*' - '@polkadot/util': '*' + '@polkadot/ui-settings@3.10.1(@polkadot/networks@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@polkadot/networks': 13.1.1 '@polkadot/util': 13.1.1 eventemitter3: 5.0.1 store: 2.0.12 tslib: 2.7.0 - dev: false - /@polkadot/ui-shared@3.10.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-g7cjZhIYEUsV2MPolRhBY/41Mhpg1b1J3S3DQMIO2Q/Kg78askeypBdMspOrpVO/UGpWWCGUh07ix3xpJWiGMw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/util-crypto': '*' + '@polkadot/ui-shared@3.10.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) colord: 2.9.3 tslib: 2.7.0 - dev: false - /@polkadot/util-crypto@10.4.2(@polkadot/util@10.4.2): - resolution: {integrity: sha512-RxZvF7C4+EF3fzQv8hZOLrYCBq5+wA+2LWv98nECkroChY3C2ZZvyWDqn8+aonNULt4dCVTWDZM0QIY6y4LUAQ==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 10.4.2 + '@polkadot/util-crypto@10.4.2(@polkadot/util@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@noble/hashes': 1.2.0 @@ -3857,13 +8766,8 @@ packages: '@scure/base': 1.1.1 ed2curve: 0.3.0 tweetnacl: 1.0.3 - dev: false - /@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2): - resolution: {integrity: sha512-FEWI/dJ7wDMNN1WOzZAjQoIcCP/3vz3wvAp5QQm+lOrzOLj0iDmaIGIcBkz8HVm3ErfSe/uKP0KS4jgV/ib+Mg==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 12.6.2 + '@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2)': dependencies: '@noble/curves': 1.4.2 '@noble/hashes': 1.4.0 @@ -3875,13 +8779,8 @@ packages: '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) '@scure/base': 1.1.7 tslib: 2.7.0 - dev: false - /@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1): - resolution: {integrity: sha512-FG68rrLPdfLcscEyH10vnGkakM4O2lqr71S3GDhgc9WXaS8y9jisLgMPg8jbMHiQBJ3iKYkmtPKiLBowRslj2w==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 13.1.1 + '@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1)': dependencies: '@noble/curves': 1.4.2 '@noble/hashes': 1.4.0 @@ -3893,13 +8792,8 @@ packages: '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) '@scure/base': 1.1.7 tslib: 2.7.0 - dev: false - /@polkadot/util-crypto@6.11.1(@polkadot/util@6.11.1): - resolution: {integrity: sha512-fWA1Nz17FxWJslweZS4l0Uo30WXb5mYV1KEACVzM+BSZAvG5eoiOAYX6VYZjyw6/7u53XKrWQlD83iPsg3KvZw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 6.11.1 + '@polkadot/util-crypto@6.11.1(@polkadot/util@6.11.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/networks': 6.11.1 @@ -3917,13 +8811,8 @@ packages: scryptsy: 2.1.0 tweetnacl: 1.0.3 xxhashjs: 0.2.2 - dev: false - /@polkadot/util-crypto@8.7.1(@polkadot/util@8.7.1): - resolution: {integrity: sha512-TaSuJ2aNrB5sYK7YXszkEv24nYJKRFqjF2OrggoMg6uYxUAECvTkldFnhtgeizMweRMxJIBu6bMHlSIutbWgjw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': 8.7.1 + '@polkadot/util-crypto@8.7.1(@polkadot/util@8.7.1)': dependencies: '@babel/runtime': 7.25.6 '@noble/hashes': 1.0.0 @@ -3936,11 +8825,8 @@ packages: '@scure/base': 1.0.0 ed2curve: 0.3.0 tweetnacl: 1.0.3 - dev: false - /@polkadot/util@10.4.2: - resolution: {integrity: sha512-0r5MGICYiaCdWnx+7Axlpvzisy/bi1wZGXgCSw5+ZTyPTOqvsYRqM2X879yxvMsGfibxzWqNzaiVjToz1jvUaA==} - engines: {node: '>=14.0.0'} + '@polkadot/util@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-bigint': 10.4.2 @@ -3949,11 +8835,8 @@ packages: '@polkadot/x-textencoder': 10.4.2 '@types/bn.js': 5.1.5 bn.js: 5.2.1 - dev: false - /@polkadot/util@12.6.2: - resolution: {integrity: sha512-l8TubR7CLEY47240uki0TQzFvtnxFIO7uI/0GoWzpYD/O62EIAMRsuY01N4DuwgKq2ZWD59WhzsLYmA5K6ksdw==} - engines: {node: '>=18'} + '@polkadot/util@12.6.2': dependencies: '@polkadot/x-bigint': 12.6.2 '@polkadot/x-global': 12.6.2 @@ -3962,11 +8845,8 @@ packages: '@types/bn.js': 5.1.5 bn.js: 5.2.1 tslib: 2.7.0 - dev: false - /@polkadot/util@13.1.1: - resolution: {integrity: sha512-M4iQ5Um8tFdDmD7a96nPzfrEt+kxyWOqQDPqXyaax4QBnq/WCbq0jo8IO61uz55mdMQnGZvq8jd8uge4V6JzzQ==} - engines: {node: '>=18'} + '@polkadot/util@13.1.1': dependencies: '@polkadot/x-bigint': 13.1.1 '@polkadot/x-global': 13.1.1 @@ -3975,11 +8855,8 @@ packages: '@types/bn.js': 5.1.5 bn.js: 5.2.1 tslib: 2.7.0 - dev: false - /@polkadot/util@6.11.1: - resolution: {integrity: sha512-TEdCetr9rsdUfJZqQgX/vxLuV4XU8KMoKBMJdx+JuQ5EWemIdQkEtMBdL8k8udNGbgSNiYFA6rPppATeIxAScg==} - engines: {node: '>=14.0.0'} + '@polkadot/util@6.11.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-textdecoder': 6.11.1 @@ -3988,11 +8865,8 @@ packages: bn.js: 4.12.0 camelcase: 5.3.1 ip-regex: 4.3.0 - dev: false - /@polkadot/util@8.7.1: - resolution: {integrity: sha512-XjY1bTo7V6OvOCe4yn8H2vifeuBciCy0gq0k5P1tlGUQLI/Yt0hvDmxcA0FEPtqg8CL+rYRG7WXGPVNjkrNvyQ==} - engines: {node: '>=14.0.0'} + '@polkadot/util@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-bigint': 8.7.1 @@ -4002,102 +8876,53 @@ packages: '@types/bn.js': 5.1.5 bn.js: 5.2.1 ip-regex: 4.3.0 - dev: false - /@polkadot/wasm-bridge@6.4.1(@polkadot/util@10.4.2)(@polkadot/x-randomvalues@10.4.2): - resolution: {integrity: sha512-QZDvz6dsUlbYsaMV5biZgZWkYH9BC5AfhT0f0/knv8+LrbAoQdP3Asbvddw8vyU9sbpuCHXrd4bDLBwUCRfrBQ==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-bridge@6.4.1(@polkadot/util@10.4.2)(@polkadot/x-randomvalues@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 '@polkadot/x-randomvalues': 10.4.2 - dev: false - /@polkadot/wasm-bridge@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2): - resolution: {integrity: sha512-AJEXChcf/nKXd5Q/YLEV5dXQMle3UNT7jcXYmIffZAo/KI394a+/24PaISyQjoNC0fkzS1Q8T5pnGGHmXiVz2g==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-bridge@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-bridge@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1): - resolution: {integrity: sha512-AJEXChcf/nKXd5Q/YLEV5dXQMle3UNT7jcXYmIffZAo/KI394a+/24PaISyQjoNC0fkzS1Q8T5pnGGHmXiVz2g==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-bridge@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto-asmjs@4.6.1(@polkadot/util@6.11.1): - resolution: {integrity: sha512-1oHQjz2oEO1kCIcQniOP+dZ9N2YXf2yCLHLsKaKSvfXiWaetVCaBNB8oIHIVYvuLnVc8qlMi66O6xc1UublHsw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-asmjs@4.6.1(@polkadot/util@6.11.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 6.11.1 - dev: false - /@polkadot/wasm-crypto-asmjs@5.1.1(@polkadot/util@8.7.1): - resolution: {integrity: sha512-1WBwc2G3pZMKW1T01uXzKE30Sg22MXmF3RbbZiWWk3H2d/Er4jZQRpjumxO5YGWan+xOb7HQQdwnrUnrPgbDhg==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-asmjs@5.1.1(@polkadot/util@8.7.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/wasm-crypto-asmjs@6.4.1(@polkadot/util@10.4.2): - resolution: {integrity: sha512-UxZTwuBZlnODGIQdCsE2Sn/jU0O2xrNQ/TkhRFELfkZXEXTNu4lw6NpaKq7Iey4L+wKd8h4lT3VPVkMcPBLOvA==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-asmjs@6.4.1(@polkadot/util@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 - dev: false - /@polkadot/wasm-crypto-asmjs@7.3.2(@polkadot/util@12.6.2): - resolution: {integrity: sha512-QP5eiUqUFur/2UoF2KKKYJcesc71fXhQFLT3D4ZjG28Mfk2ZPI0QNRUfpcxVQmIUpV5USHg4geCBNuCYsMm20Q==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-asmjs@7.3.2(@polkadot/util@12.6.2)': dependencies: '@polkadot/util': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto-asmjs@7.3.2(@polkadot/util@13.1.1): - resolution: {integrity: sha512-QP5eiUqUFur/2UoF2KKKYJcesc71fXhQFLT3D4ZjG28Mfk2ZPI0QNRUfpcxVQmIUpV5USHg4geCBNuCYsMm20Q==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-asmjs@7.3.2(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto-init@6.4.1(@polkadot/util@10.4.2)(@polkadot/x-randomvalues@10.4.2): - resolution: {integrity: sha512-1ALagSi/nfkyFaH6JDYfy/QbicVbSn99K8PV9rctDUfxc7P06R7CoqbjGQ4OMPX6w1WYVPU7B4jPHGLYBlVuMw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto-init@6.4.1(@polkadot/util@10.4.2)(@polkadot/x-randomvalues@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 @@ -4105,14 +8930,8 @@ packages: '@polkadot/wasm-crypto-asmjs': 6.4.1(@polkadot/util@10.4.2) '@polkadot/wasm-crypto-wasm': 6.4.1(@polkadot/util@10.4.2) '@polkadot/x-randomvalues': 10.4.2 - dev: false - /@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2): - resolution: {integrity: sha512-FPq73zGmvZtnuJaFV44brze3Lkrki3b4PebxCy9Fplw8nTmisKo9Xxtfew08r0njyYh+uiJRAxPCXadkC9sc8g==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2) @@ -4121,14 +8940,8 @@ packages: '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1): - resolution: {integrity: sha512-FPq73zGmvZtnuJaFV44brze3Lkrki3b4PebxCy9Fplw8nTmisKo9Xxtfew08r0njyYh+uiJRAxPCXadkC9sc8g==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1) @@ -4137,95 +8950,52 @@ packages: '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto-wasm@4.6.1(@polkadot/util@6.11.1): - resolution: {integrity: sha512-NI3JVwmLjrSYpSVuhu0yeQYSlsZrdpK41UC48sY3kyxXC71pi6OVePbtHS1K3xh3FFmDd9srSchExi3IwzKzMw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-wasm@4.6.1(@polkadot/util@6.11.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 6.11.1 - dev: false - /@polkadot/wasm-crypto-wasm@5.1.1(@polkadot/util@8.7.1): - resolution: {integrity: sha512-F9PZ30J2S8vUNl2oY7Myow5Xsx5z5uNVpnNlJwlmY8IXBvyucvyQ4HSdhJsrbs4W1BfFc0mHghxgp0FbBCnf/Q==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-wasm@5.1.1(@polkadot/util@8.7.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 - dev: false - /@polkadot/wasm-crypto-wasm@6.4.1(@polkadot/util@10.4.2): - resolution: {integrity: sha512-3VV9ZGzh0ZY3SmkkSw+0TRXxIpiO0nB8lFwlRgcwaCihwrvLfRnH9GI8WE12mKsHVjWTEVR3ogzILJxccAUjDA==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-wasm@6.4.1(@polkadot/util@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 '@polkadot/wasm-util': 6.4.1(@polkadot/util@10.4.2) - dev: false - /@polkadot/wasm-crypto-wasm@7.3.2(@polkadot/util@12.6.2): - resolution: {integrity: sha512-15wd0EMv9IXs5Abp1ZKpKKAVyZPhATIAHfKsyoWCEFDLSOA0/K0QGOxzrAlsrdUkiKZOq7uzSIgIDgW8okx2Mw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-wasm@7.3.2(@polkadot/util@12.6.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto-wasm@7.3.2(@polkadot/util@13.1.1): - resolution: {integrity: sha512-15wd0EMv9IXs5Abp1ZKpKKAVyZPhATIAHfKsyoWCEFDLSOA0/K0QGOxzrAlsrdUkiKZOq7uzSIgIDgW8okx2Mw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-crypto-wasm@7.3.2(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 - '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - tslib: 2.7.0 - dev: false - - /@polkadot/wasm-crypto@4.6.1(@polkadot/util@6.11.1)(@polkadot/x-randomvalues@6.11.1): - resolution: {integrity: sha512-2wEftBDxDG+TN8Ah6ogtvzjdZdcF0mAjU4UNNOfpmkBCxQYZOrAHB8HXhzo3noSsKkLX7PDX57NxvJ9OhoTAjw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) + tslib: 2.7.0 + + '@polkadot/wasm-crypto@4.6.1(@polkadot/util@6.11.1)(@polkadot/x-randomvalues@6.11.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 6.11.1 '@polkadot/wasm-crypto-asmjs': 4.6.1(@polkadot/util@6.11.1) '@polkadot/wasm-crypto-wasm': 4.6.1(@polkadot/util@6.11.1) '@polkadot/x-randomvalues': 6.11.1 - dev: false - /@polkadot/wasm-crypto@5.1.1(@polkadot/util@8.7.1)(@polkadot/x-randomvalues@8.7.1): - resolution: {integrity: sha512-JCcAVfH8DhYuEyd4oX1ouByxhou0TvpErKn8kHjtzt7+tRoFi0nzWlmK4z49vszsV3JJgXxV81i10C0BYlwTcQ==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto@5.1.1(@polkadot/util@8.7.1)(@polkadot/x-randomvalues@8.7.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 '@polkadot/wasm-crypto-asmjs': 5.1.1(@polkadot/util@8.7.1) '@polkadot/wasm-crypto-wasm': 5.1.1(@polkadot/util@8.7.1) '@polkadot/x-randomvalues': 8.7.1 - dev: false - /@polkadot/wasm-crypto@6.4.1(@polkadot/util@10.4.2)(@polkadot/x-randomvalues@10.4.2): - resolution: {integrity: sha512-FH+dcDPdhSLJvwL0pMLtn/LIPd62QDPODZRCmDyw+pFjLOMaRBc7raomWUOqyRWJTnqVf/iscc2rLVLNMyt7ag==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto@6.4.1(@polkadot/util@10.4.2)(@polkadot/x-randomvalues@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 @@ -4235,14 +9005,8 @@ packages: '@polkadot/wasm-crypto-wasm': 6.4.1(@polkadot/util@10.4.2) '@polkadot/wasm-util': 6.4.1(@polkadot/util@10.4.2) '@polkadot/x-randomvalues': 10.4.2 - dev: false - /@polkadot/wasm-crypto@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2): - resolution: {integrity: sha512-+neIDLSJ6jjVXsjyZ5oLSv16oIpwp+PxFqTUaZdZDoA2EyFRQB8pP7+qLsMNk+WJuhuJ4qXil/7XiOnZYZ+wxw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2) @@ -4252,14 +9016,8 @@ packages: '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-crypto@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1): - resolution: {integrity: sha512-+neIDLSJ6jjVXsjyZ5oLSv16oIpwp+PxFqTUaZdZDoA2EyFRQB8pP7+qLsMNk+WJuhuJ4qXil/7XiOnZYZ+wxw==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' - '@polkadot/x-randomvalues': '*' + '@polkadot/wasm-crypto@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1) @@ -4269,101 +9027,62 @@ packages: '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) tslib: 2.7.0 - dev: false - /@polkadot/wasm-util@6.4.1(@polkadot/util@10.4.2): - resolution: {integrity: sha512-Uwo+WpEsDmFExWC5kTNvsVhvqXMZEKf4gUHXFn4c6Xz4lmieRT5g+1bO1KJ21pl4msuIgdV3Bksfs/oiqMFqlw==} - engines: {node: '>=14.0.0'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-util@6.4.1(@polkadot/util@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 - dev: false - /@polkadot/wasm-util@7.3.2(@polkadot/util@12.6.2): - resolution: {integrity: sha512-bmD+Dxo1lTZyZNxbyPE380wd82QsX+43mgCm40boyKrRppXEyQmWT98v/Poc7chLuskYb6X8IQ6lvvK2bGR4Tg==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-util@7.3.2(@polkadot/util@12.6.2)': dependencies: '@polkadot/util': 12.6.2 tslib: 2.6.3 - dev: false - /@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1): - resolution: {integrity: sha512-bmD+Dxo1lTZyZNxbyPE380wd82QsX+43mgCm40boyKrRppXEyQmWT98v/Poc7chLuskYb6X8IQ6lvvK2bGR4Tg==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': '*' + '@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 tslib: 2.6.3 - dev: false - /@polkadot/x-bigint@10.4.2: - resolution: {integrity: sha512-awRiox+/XSReLzimAU94fPldowiwnnMUkQJe8AebYhNocAj6SJU00GNoj6j6tAho6yleOwrTJXZaWFBaQVJQNg==} - engines: {node: '>=14.0.0'} + '@polkadot/x-bigint@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 - dev: false - /@polkadot/x-bigint@12.6.2: - resolution: {integrity: sha512-HSIk60uFPX4GOFZSnIF7VYJz7WZA7tpFJsne7SzxOooRwMTWEtw3fUpFy5cYYOeLh17/kHH1Y7SVcuxzVLc74Q==} - engines: {node: '>=18'} + '@polkadot/x-bigint@12.6.2': dependencies: '@polkadot/x-global': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/x-bigint@13.1.1: - resolution: {integrity: sha512-Cq4Y6fd9UWtRBZz8RX2tWEBL1IFwUtY6cL8p6HC9yhZtUR6OPjKZe6RIZQa9gSOoIuqZWd6PmtvSNGVH32yfkQ==} - engines: {node: '>=18'} + '@polkadot/x-bigint@13.1.1': dependencies: '@polkadot/x-global': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/x-bigint@8.7.1: - resolution: {integrity: sha512-ClkhgdB/KqcAKk3zA6Qw8wBL6Wz67pYTPkrAtImpvoPJmR+l4RARauv+MH34JXMUNlNb3aUwqN6lq2Z1zN+mJg==} - engines: {node: '>=14.0.0'} + '@polkadot/x-bigint@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 - dev: false - /@polkadot/x-fetch@10.4.2: - resolution: {integrity: sha512-Ubb64yaM4qwhogNP+4mZ3ibRghEg5UuCYRMNaCFoPgNAY8tQXuDKrHzeks3+frlmeH9YRd89o8wXLtWouwZIcw==} - engines: {node: '>=14.0.0'} + '@polkadot/x-fetch@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 '@types/node-fetch': 2.6.11 node-fetch: 3.3.2 - dev: false - /@polkadot/x-fetch@12.6.2: - resolution: {integrity: sha512-8wM/Z9JJPWN1pzSpU7XxTI1ldj/AfC8hKioBlUahZ8gUiJaOF7K9XEFCrCDLis/A1BoOu7Ne6WMx/vsJJIbDWw==} - engines: {node: '>=18'} + '@polkadot/x-fetch@12.6.2': dependencies: '@polkadot/x-global': 12.6.2 node-fetch: 3.3.2 tslib: 2.7.0 - dev: false - /@polkadot/x-fetch@13.1.1: - resolution: {integrity: sha512-qA6mIUUebJbS+oWzq/EagZflmaoa9b25WvsxSFn7mCvzKngXzr+GYCY4XiDwKY/S+/pr/kvSCKZ1ia8BDqPBYQ==} - engines: {node: '>=18'} + '@polkadot/x-fetch@13.1.1': dependencies: '@polkadot/x-global': 13.1.1 node-fetch: 3.3.2 tslib: 2.7.0 - dev: false - /@polkadot/x-fetch@8.7.1: - resolution: {integrity: sha512-ygNparcalYFGbspXtdtZOHvNXZBkNgmNO+um9C0JYq74K5OY9/be93uyfJKJ8JcRJtOqBfVDsJpbiRkuJ1PRfg==} - engines: {node: '>=14.0.0'} + '@polkadot/x-fetch@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 @@ -4371,184 +9090,112 @@ packages: node-fetch: 2.7.0 transitivePeerDependencies: - encoding - dev: false - /@polkadot/x-global@10.4.2: - resolution: {integrity: sha512-g6GXHD/ykZvHap3M6wh19dO70Zm43l4jEhlxf5LtTo5/0/UporFCXr2YJYZqfbn9JbQwl1AU+NroYio+vtJdiA==} - engines: {node: '>=14.0.0'} + '@polkadot/x-global@10.4.2': dependencies: '@babel/runtime': 7.25.6 - dev: false - /@polkadot/x-global@12.6.2: - resolution: {integrity: sha512-a8d6m+PW98jmsYDtAWp88qS4dl8DyqUBsd0S+WgyfSMtpEXu6v9nXDgPZgwF5xdDvXhm+P0ZfVkVTnIGrScb5g==} - engines: {node: '>=18'} + '@polkadot/x-global@12.6.2': dependencies: tslib: 2.7.0 - dev: false - /@polkadot/x-global@13.1.1: - resolution: {integrity: sha512-DViIMmmEs29Qlsp058VTg2Mn7e3/CpGazNnKJrsBa0o1Ptxl13/4Z0fjqCpNi2GB+kaOsnREzxUORrHcU+PqcQ==} - engines: {node: '>=18'} + '@polkadot/x-global@13.1.1': dependencies: tslib: 2.7.0 - dev: false - /@polkadot/x-global@6.11.1: - resolution: {integrity: sha512-lsBK/e4KbjfieyRmnPs7bTiGbP/6EoCZz7rqD/voNS5qsJAaXgB9LR+ilubun9gK/TDpebyxgO+J19OBiQPIRw==} - engines: {node: '>=14.0.0'} + '@polkadot/x-global@6.11.1': dependencies: '@babel/runtime': 7.25.6 - dev: false - /@polkadot/x-global@8.7.1: - resolution: {integrity: sha512-WOgUor16IihgNVdiTVGAWksYLUAlqjmODmIK1cuWrLOZtV1VBomWcb3obkO9sh5P6iWziAvCB/i+L0vnTN9ZCA==} - engines: {node: '>=14.0.0'} + '@polkadot/x-global@8.7.1': dependencies: '@babel/runtime': 7.25.6 - dev: false - /@polkadot/x-randomvalues@10.4.2: - resolution: {integrity: sha512-mf1Wbpe7pRZHO0V3V89isPLqZOy5XGX2bCqsfUWHgb1NvV1MMx5TjVjdaYyNlGTiOkAmJKlOHshcfPU2sYWpNg==} - engines: {node: '>=14.0.0'} + '@polkadot/x-randomvalues@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 - dev: false - /@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2): - resolution: {integrity: sha512-Vr8uG7rH2IcNJwtyf5ebdODMcr0XjoCpUbI91Zv6AlKVYOGKZlKLYJHIwpTaKKB+7KPWyQrk4Mlym/rS7v9feg==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 12.6.2 - '@polkadot/wasm-util': '*' + '@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) '@polkadot/x-global': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2): - resolution: {integrity: sha512-cXj4omwbgzQQSiBtV1ZBw+XhJUU3iz/DS6ghUnGllSZEK+fGqiyaNgeFQzDY0tKjm6kYaDpvtOHR3mHsbzDuTg==} - engines: {node: '>=18'} - peerDependencies: - '@polkadot/util': 13.1.1 - '@polkadot/wasm-util': '*' + '@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-global': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/x-randomvalues@6.11.1: - resolution: {integrity: sha512-2MfUfGZSOkuPt7GF5OJkPDbl4yORI64SUuKM25EGrJ22o1UyoBnPOClm9eYujLMD6BfDZRM/7bQqqoLW+NuHVw==} - engines: {node: '>=14.0.0'} + '@polkadot/x-randomvalues@6.11.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 6.11.1 - dev: false - /@polkadot/x-randomvalues@8.7.1: - resolution: {integrity: sha512-njt17MlfN6yNyNEti7fL12lr5qM6A1aSGkWKVuqzc7XwSBesifJuW4km5u6r2gwhXjH2eHDv9SoQ7WXu8vrrkg==} - engines: {node: '>=14.0.0'} + '@polkadot/x-randomvalues@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 - dev: false - /@polkadot/x-rxjs@6.11.1: - resolution: {integrity: sha512-zIciEmij7SUuXXg9g/683Irx6GogxivrQS2pgBir2DI/YZq+um52+Dqg1mqsEZt74N4KMTMnzAZAP6LJOBOMww==} - engines: {node: '>=14.0.0'} + '@polkadot/x-rxjs@6.11.1': dependencies: '@babel/runtime': 7.25.6 rxjs: 6.6.7 - dev: false - /@polkadot/x-textdecoder@10.4.2: - resolution: {integrity: sha512-d3ADduOKUTU+cliz839+KCFmi23pxTlabH7qh7Vs1GZQvXOELWdqFOqakdiAjtMn68n1KVF4O14Y+OUm7gp/zA==} - engines: {node: '>=14.0.0'} + '@polkadot/x-textdecoder@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 - dev: false - /@polkadot/x-textdecoder@12.6.2: - resolution: {integrity: sha512-M1Bir7tYvNappfpFWXOJcnxUhBUFWkUFIdJSyH0zs5LmFtFdbKAeiDXxSp2Swp5ddOZdZgPac294/o2TnQKN1w==} - engines: {node: '>=18'} + '@polkadot/x-textdecoder@12.6.2': dependencies: '@polkadot/x-global': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/x-textdecoder@13.1.1: - resolution: {integrity: sha512-LpZ9KYc6HdBH+i86bCmun4g4GWMiWN/1Pzs0hNdanlQMfqp3UGzl1Dqp0nozMvjWAlvyG7ip235VgNMd8HEbqg==} - engines: {node: '>=18'} + '@polkadot/x-textdecoder@13.1.1': dependencies: '@polkadot/x-global': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/x-textdecoder@6.11.1: - resolution: {integrity: sha512-DI1Ym2lyDSS/UhnTT2e9WutukevFZ0WGpzj4eotuG2BTHN3e21uYtYTt24SlyRNMrWJf5+TkZItmZeqs1nwAfQ==} - engines: {node: '>=14.0.0'} + '@polkadot/x-textdecoder@6.11.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 6.11.1 - dev: false - /@polkadot/x-textdecoder@8.7.1: - resolution: {integrity: sha512-ia0Ie2zi4VdQdNVD2GE2FZzBMfX//hEL4w546RMJfZM2LqDS674LofHmcyrsv5zscLnnRyCxZC1+J2dt+6MDIA==} - engines: {node: '>=14.0.0'} + '@polkadot/x-textdecoder@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 - dev: false - /@polkadot/x-textencoder@10.4.2: - resolution: {integrity: sha512-mxcQuA1exnyv74Kasl5vxBq01QwckG088lYjc3KwmND6+pPrW2OWagbxFX5VFoDLDAE+UJtnUHsjdWyOTDhpQA==} - engines: {node: '>=14.0.0'} + '@polkadot/x-textencoder@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 - dev: false - /@polkadot/x-textencoder@12.6.2: - resolution: {integrity: sha512-4N+3UVCpI489tUJ6cv3uf0PjOHvgGp9Dl+SZRLgFGt9mvxnvpW/7+XBADRMtlG4xi5gaRK7bgl5bmY6OMDsNdw==} - engines: {node: '>=18'} + '@polkadot/x-textencoder@12.6.2': dependencies: '@polkadot/x-global': 12.6.2 tslib: 2.7.0 - dev: false - /@polkadot/x-textencoder@13.1.1: - resolution: {integrity: sha512-w1mT15B9ptN5CJNgN/A0CmBqD5y9OePjBdU6gmAd8KRhwXCF0MTBKcEZk1dHhXiXtX+28ULJWLrfefC5gxy69Q==} - engines: {node: '>=18'} + '@polkadot/x-textencoder@13.1.1': dependencies: '@polkadot/x-global': 13.1.1 tslib: 2.7.0 - dev: false - /@polkadot/x-textencoder@6.11.1: - resolution: {integrity: sha512-8ipjWdEuqFo+R4Nxsc3/WW9CSEiprX4XU91a37ZyRVC4e9R1bmvClrpXmRQLVcAQyhRvG8DKOOtWbz8xM+oXKg==} - engines: {node: '>=14.0.0'} + '@polkadot/x-textencoder@6.11.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 6.11.1 - dev: false - /@polkadot/x-textencoder@8.7.1: - resolution: {integrity: sha512-XDO0A27Xy+eJCKSxENroB8Dcnl+UclGG4ZBei+P/BqZ9rsjskUyd2Vsl6peMXAcsxwOE7g0uTvujoGM8jpKOXw==} - engines: {node: '>=14.0.0'} + '@polkadot/x-textencoder@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 - dev: false - /@polkadot/x-ws@10.4.2: - resolution: {integrity: sha512-3gHSTXAWQu1EMcMVTF5QDKHhEHzKxhAArweEyDXE7VsgKUP/ixxw4hVZBrkX122iI5l5mjSiooRSnp/Zl3xqDQ==} - engines: {node: '>=14.0.0'} + '@polkadot/x-ws@10.4.2': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 @@ -4556,11 +9203,8 @@ packages: websocket: 1.0.35 transitivePeerDependencies: - supports-color - dev: false - /@polkadot/x-ws@12.6.2: - resolution: {integrity: sha512-cGZWo7K5eRRQCRl2LrcyCYsrc3lRbTlixZh3AzgU8uX4wASVGRlNWi/Hf4TtHNe1ExCDmxabJzdIsABIfrr7xw==} - engines: {node: '>=18'} + '@polkadot/x-ws@12.6.2': dependencies: '@polkadot/x-global': 12.6.2 tslib: 2.7.0 @@ -4568,11 +9212,8 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false - /@polkadot/x-ws@13.1.1: - resolution: {integrity: sha512-E/xFmJTiFzu+IK5M3/8W/9fnvNJFelcnunPv/IgO6UST94SDaTsN/Gbeb6SqPb6CsrTHRl3WD+AZ3ErGGwQfEA==} - engines: {node: '>=18'} + '@polkadot/x-ws@13.1.1': dependencies: '@polkadot/x-global': 13.1.1 tslib: 2.7.0 @@ -4580,11 +9221,8 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false - /@polkadot/x-ws@8.7.1: - resolution: {integrity: sha512-Mt0tcNzGXyKnN3DQ06alkv+JLtTfXWu6zSypFrrKHSQe3u79xMQ1nSicmpT3gWLhIa8YF+8CYJXMrqaXgCnDhw==} - engines: {node: '>=14.0.0'} + '@polkadot/x-ws@8.7.1': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 @@ -4592,204 +9230,98 @@ packages: websocket: 1.0.35 transitivePeerDependencies: - supports-color - dev: false - /@polymeshassociation/polymesh-types@5.7.0: - resolution: {integrity: sha512-6bw+Q6CpjAABeQKLZxE5TMwUwllq9GIWtHr+SBTn/02cLQYYrgPNX3JtQtK/VAAwhQ+AbAUMRlxlzGP16VaWog==} - dev: false + '@polymeshassociation/polymesh-types@5.7.0': {} - /@protobufjs/aspromise@1.1.2: - resolution: {integrity: sha512-j+gKExEuLmKwvz3OgROXtrJ2UG2x8Ch2YZUxahh+s1F2HZ+wAceUNLkvy6zKCPVRkU++ZWQrdxsUeQXmcg4uoQ==} - dev: false + '@protobufjs/aspromise@1.1.2': {} - /@protobufjs/base64@1.1.2: - resolution: {integrity: sha512-AZkcAA5vnN/v4PDqKyMR5lx7hZttPDgClv83E//FMNhR2TMcLUhfRUBHCmSl0oi9zMgDDqRUJkSxO3wm85+XLg==} - dev: false + '@protobufjs/base64@1.1.2': {} - /@protobufjs/codegen@2.0.4: - resolution: {integrity: sha512-YyFaikqM5sH0ziFZCN3xDC7zeGaB/d0IUb9CATugHWbd1FRFwWwt4ld4OYMPWu5a3Xe01mGAULCdqhMlPl29Jg==} - dev: false + '@protobufjs/codegen@2.0.4': {} - /@protobufjs/eventemitter@1.1.0: - resolution: {integrity: sha512-j9ednRT81vYJ9OfVuXG6ERSTdEL1xVsNgqpkxMsbIabzSo3goCjDIveeGv5d03om39ML71RdmrGNjG5SReBP/Q==} - dev: false + '@protobufjs/eventemitter@1.1.0': {} - /@protobufjs/fetch@1.1.0: - resolution: {integrity: sha512-lljVXpqXebpsijW71PZaCYeIcE5on1w5DlQy5WH6GLbFryLUrBD4932W/E2BSpfRJWseIL4v/KPgBFxDOIdKpQ==} + '@protobufjs/fetch@1.1.0': dependencies: '@protobufjs/aspromise': 1.1.2 '@protobufjs/inquire': 1.1.0 - dev: false - /@protobufjs/float@1.0.2: - resolution: {integrity: sha512-Ddb+kVXlXst9d+R9PfTIxh1EdNkgoRe5tOX6t01f1lYWOvJnSPDBlG241QLzcyPdoNTsblLUdujGSE4RzrTZGQ==} - dev: false + '@protobufjs/float@1.0.2': {} - /@protobufjs/inquire@1.1.0: - resolution: {integrity: sha512-kdSefcPdruJiFMVSbn801t4vFK7KB/5gd2fYvrxhuJYg8ILrmn9SKSX2tZdV6V+ksulWqS7aXjBcRXl3wHoD9Q==} - dev: false + '@protobufjs/inquire@1.1.0': {} - /@protobufjs/path@1.1.2: - resolution: {integrity: sha512-6JOcJ5Tm08dOHAbdR3GrvP+yUUfkjG5ePsHYczMFLq3ZmMkAD98cDgcT2iA1lJ9NVwFd4tH/iSSoe44YWkltEA==} - dev: false + '@protobufjs/path@1.1.2': {} - /@protobufjs/pool@1.1.0: - resolution: {integrity: sha512-0kELaGSIDBKvcgS4zkjz1PeddatrjYcmMWOlAuAPwAeccUrPHdUqo/J6LiymHHEiJT5NrF1UVwxY14f+fy4WQw==} - dev: false + '@protobufjs/pool@1.1.0': {} - /@protobufjs/utf8@1.1.0: - resolution: {integrity: sha512-Vvn3zZrhQZkkBE8LSuW3em98c0FwgO4nxzv6OdSxPKJIEKY2bGbHn+mhGIPerzI4twdxaP8/0+06HBpwf345Lw==} - dev: false + '@protobufjs/utf8@1.1.0': {} - /@rollup/rollup-android-arm-eabi@4.13.0: - resolution: {integrity: sha512-5ZYPOuaAqEH/W3gYsRkxQATBW3Ii1MfaT4EQstTnLKViLi2gLSQmlmtTpGucNP3sXEpOiI5tdGhjdE111ekyEg==} - cpu: [arm] - os: [android] - requiresBuild: true - dev: false + '@rollup/rollup-android-arm-eabi@4.13.0': optional: true - /@rollup/rollup-android-arm64@4.13.0: - resolution: {integrity: sha512-BSbaCmn8ZadK3UAQdlauSvtaJjhlDEjS5hEVVIN3A4bbl3X+otyf/kOJV08bYiRxfejP3DXFzO2jz3G20107+Q==} - cpu: [arm64] - os: [android] - requiresBuild: true - dev: false + '@rollup/rollup-android-arm64@4.13.0': optional: true - /@rollup/rollup-darwin-arm64@4.13.0: - resolution: {integrity: sha512-Ovf2evVaP6sW5Ut0GHyUSOqA6tVKfrTHddtmxGQc1CTQa1Cw3/KMCDEEICZBbyppcwnhMwcDce9ZRxdWRpVd6g==} - cpu: [arm64] - os: [darwin] - requiresBuild: true - dev: false + '@rollup/rollup-darwin-arm64@4.13.0': optional: true - /@rollup/rollup-darwin-x64@4.13.0: - resolution: {integrity: sha512-U+Jcxm89UTK592vZ2J9st9ajRv/hrwHdnvyuJpa5A2ngGSVHypigidkQJP+YiGL6JODiUeMzkqQzbCG3At81Gg==} - cpu: [x64] - os: [darwin] - requiresBuild: true - dev: false + '@rollup/rollup-darwin-x64@4.13.0': optional: true - /@rollup/rollup-linux-arm-gnueabihf@4.13.0: - resolution: {integrity: sha512-8wZidaUJUTIR5T4vRS22VkSMOVooG0F4N+JSwQXWSRiC6yfEsFMLTYRFHvby5mFFuExHa/yAp9juSphQQJAijQ==} - cpu: [arm] - os: [linux] - requiresBuild: true - dev: false + '@rollup/rollup-linux-arm-gnueabihf@4.13.0': optional: true - /@rollup/rollup-linux-arm64-gnu@4.13.0: - resolution: {integrity: sha512-Iu0Kno1vrD7zHQDxOmvweqLkAzjxEVqNhUIXBsZ8hu8Oak7/5VTPrxOEZXYC1nmrBVJp0ZcL2E7lSuuOVaE3+w==} - cpu: [arm64] - os: [linux] - requiresBuild: true - dev: false + '@rollup/rollup-linux-arm64-gnu@4.13.0': optional: true - /@rollup/rollup-linux-arm64-musl@4.13.0: - resolution: {integrity: sha512-C31QrW47llgVyrRjIwiOwsHFcaIwmkKi3PCroQY5aVq4H0A5v/vVVAtFsI1nfBngtoRpeREvZOkIhmRwUKkAdw==} - cpu: [arm64] - os: [linux] - requiresBuild: true - dev: false + '@rollup/rollup-linux-arm64-musl@4.13.0': optional: true - /@rollup/rollup-linux-riscv64-gnu@4.13.0: - resolution: {integrity: sha512-Oq90dtMHvthFOPMl7pt7KmxzX7E71AfyIhh+cPhLY9oko97Zf2C9tt/XJD4RgxhaGeAraAXDtqxvKE1y/j35lA==} - cpu: [riscv64] - os: [linux] - requiresBuild: true - dev: false + '@rollup/rollup-linux-riscv64-gnu@4.13.0': optional: true - /@rollup/rollup-linux-x64-gnu@4.13.0: - resolution: {integrity: sha512-yUD/8wMffnTKuiIsl6xU+4IA8UNhQ/f1sAnQebmE/lyQ8abjsVyDkyRkWop0kdMhKMprpNIhPmYlCxgHrPoXoA==} - cpu: [x64] - os: [linux] - requiresBuild: true - dev: false + '@rollup/rollup-linux-x64-gnu@4.13.0': optional: true - /@rollup/rollup-linux-x64-musl@4.13.0: - resolution: {integrity: sha512-9RyNqoFNdF0vu/qqX63fKotBh43fJQeYC98hCaf89DYQpv+xu0D8QFSOS0biA7cGuqJFOc1bJ+m2rhhsKcw1hw==} - cpu: [x64] - os: [linux] - requiresBuild: true - dev: false + '@rollup/rollup-linux-x64-musl@4.13.0': optional: true - /@rollup/rollup-win32-arm64-msvc@4.13.0: - resolution: {integrity: sha512-46ue8ymtm/5PUU6pCvjlic0z82qWkxv54GTJZgHrQUuZnVH+tvvSP0LsozIDsCBFO4VjJ13N68wqrKSeScUKdA==} - cpu: [arm64] - os: [win32] - requiresBuild: true - dev: false + '@rollup/rollup-win32-arm64-msvc@4.13.0': optional: true - /@rollup/rollup-win32-ia32-msvc@4.13.0: - resolution: {integrity: sha512-P5/MqLdLSlqxbeuJ3YDeX37srC8mCflSyTrUsgbU1c/U9j6l2g2GiIdYaGD9QjdMQPMSgYm7hgg0551wHyIluw==} - cpu: [ia32] - os: [win32] - requiresBuild: true - dev: false + '@rollup/rollup-win32-ia32-msvc@4.13.0': optional: true - /@rollup/rollup-win32-x64-msvc@4.13.0: - resolution: {integrity: sha512-UKXUQNbO3DOhzLRwHSpa0HnhhCgNODvfoPWv2FCXme8N/ANFfhIPMGuOT+QuKd16+B5yxZ0HdpNlqPvTMS1qfw==} - cpu: [x64] - os: [win32] - requiresBuild: true - dev: false + '@rollup/rollup-win32-x64-msvc@4.13.0': optional: true - /@scure/base@1.0.0: - resolution: {integrity: sha512-gIVaYhUsy+9s58m/ETjSJVKHhKTBMmcRb9cEV5/5dwvfDlfORjKrFsDeDHWRrm6RjcPvCLZFwGJjAjLj1gg4HA==} - dev: false + '@scure/base@1.0.0': {} - /@scure/base@1.1.1: - resolution: {integrity: sha512-ZxOhsSyxYwLJj3pLZCefNitxsj093tb2vq90mp2txoYeBqbcjDjqFhyM8eUjq/uFm6zJ+mUuqxlS2FkuSY1MTA==} - dev: false + '@scure/base@1.1.1': {} - /@scure/base@1.1.7: - resolution: {integrity: sha512-PPNYBslrLNNUQ/Yad37MHYsNQtK67EhWb6WtSvNLLPo7SdVZgkUjD6Dg+5On7zNwmskf8OX7I7Nx5oN+MIWE0g==} - dev: false + '@scure/base@1.1.7': {} - /@scure/base@1.1.9: - resolution: {integrity: sha512-8YKhl8GHiNI/pU2VMaofa2Tor7PJRAjwQLBBuilkJ9L5+13yVbC7JO/wS7piioAvPSwR3JKM1IJ/u4xQzbcXKg==} - dev: false + '@scure/base@1.1.9': {} - /@scure/bip32@1.4.0: - resolution: {integrity: sha512-sVUpc0Vq3tXCkDGYVWGIZTRfnvu8LoTDaev7vbwh0omSvVORONr960MQWdKqJDCReIEmTj3PAr73O3aoxz7OPg==} + '@scure/bip32@1.4.0': dependencies: '@noble/curves': 1.4.2 '@noble/hashes': 1.4.0 '@scure/base': 1.1.7 - dev: false - /@scure/bip39@1.3.0: - resolution: {integrity: sha512-disdg7gHuTDZtY+ZdkmLpPCk7fxZSu3gBiEGuoC1XYxv9cGx3Z6cpTggCgW6odSOOIXCiDjuGejW+aJKCY/pIQ==} + '@scure/bip39@1.3.0': dependencies: '@noble/hashes': 1.4.0 '@scure/base': 1.1.7 - dev: false - /@scure/bip39@1.4.0: - resolution: {integrity: sha512-BEEm6p8IueV/ZTfQLp/0vhw4NPnT9oWf5+28nvmeUICjP99f4vr2d+qc7AVGDDtwRep6ifR43Yed9ERVmiITzw==} + '@scure/bip39@1.4.0': dependencies: '@noble/hashes': 1.5.0 '@scure/base': 1.1.9 - dev: false - /@sindresorhus/is@4.6.0: - resolution: {integrity: sha512-t09vSN3MdfsyCHoFcTRCH/iUtG7OJ0CsjzB8cjAmKc/va/kIgeDI/TxsigdncE/4be734m0cvIYwNaV4i2XqAw==} - engines: {node: '>=10'} - dev: false + '@sindresorhus/is@4.6.0': {} - /@snowfork/snowbridge-types@0.2.7(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-Dz3OM8xvYhzL7XU/QOjgyPWZI4IgPKGByaJo6eZe3UMS6F7TLaFaZW1oYhQVTTahGWWAE6ZwwCuMkVh2FC/9bw==} + '@snowfork/snowbridge-types@0.2.7(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@polkadot/api': 7.15.1 '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) @@ -4799,20 +9331,14 @@ packages: - '@polkadot/util-crypto' - encoding - supports-color - dev: false - /@sora-substrate/type-definitions@1.27.7: - resolution: {integrity: sha512-bwxcfs76goH4zFgflVqbRuMxBokxAEVWFs8GGwGUxRG94rb+yyQWKTwjW2bDQFuusQnzEOq+IqEJJz/7r4Swyg==} + '@sora-substrate/type-definitions@1.27.7': dependencies: '@open-web3/orml-type-definitions': 1.1.4 - dev: false - /@sqltools/formatter@1.2.5: - resolution: {integrity: sha512-Uy0+khmZqUrUGm5dmMqVlnvufZRSK0FbYzVgp0UMstm+F5+W2/jnEEQyc9vo1ZR/E5ZI/B1WjjoTqBqwJL6Krw==} - dev: false + '@sqltools/formatter@1.2.5': {} - /@subsocial/definitions@0.8.14: - resolution: {integrity: sha512-K/8ZYGMyy15QI16bxgi0GfxP3JsnKeNAyPlwom1kDE89RGGs5O++PuWbXxVMMSVYfh9zn9qJYKiThBYIj/Vohg==} + '@subsocial/definitions@0.8.14': dependencies: '@polkadot/api': 13.2.1 lodash.camelcase: 4.3.0 @@ -4820,39 +9346,24 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@substrate/connect-extension-protocol@1.0.1: - resolution: {integrity: sha512-161JhCC1csjH3GE5mPLEd7HbWtwNSPJBg3p1Ksz9SFlTzj/bgEwudiRN2y5i0MoLGCIJRYKyKGMxVnd29PzNjg==} - dev: false + '@substrate/connect-extension-protocol@1.0.1': {} - /@substrate/connect-extension-protocol@2.0.0: - resolution: {integrity: sha512-nKu8pDrE3LNCEgJjZe1iGXzaD6OSIDD4Xzz/yo4KO9mQ6LBvf49BVrt4qxBFGL6++NneLiWUZGoh+VSd4PyVIg==} - requiresBuild: true - dev: false + '@substrate/connect-extension-protocol@2.0.0': optional: true - /@substrate/connect-known-chains@1.1.8: - resolution: {integrity: sha512-W0Cpnk//LoMTu5BGDCRRg5NHFR2aZ9OJtLGSgRyq1RP39dQGpoVZIgNC6z+SWRzlmOz3gIgkUCwGvOKVt2BabA==} - requiresBuild: true - dev: false + '@substrate/connect-known-chains@1.1.8': optional: true - /@substrate/connect@0.7.0-alpha.0: - resolution: {integrity: sha512-fvO7w++M8R95R/pGJFW9+cWOt8OYnnTfgswxtlPqSgzqX4tta8xcNQ51crC72FcL5agwSGkA1gc2/+eyTj7O8A==} - deprecated: versions below 1.x are no longer maintained + '@substrate/connect@0.7.0-alpha.0': dependencies: '@substrate/connect-extension-protocol': 1.0.1 '@substrate/smoldot-light': 0.6.8 eventemitter3: 4.0.7 transitivePeerDependencies: - supports-color - dev: false - /@substrate/connect@0.7.19: - resolution: {integrity: sha512-+DDRadc466gCmDU71sHrYOt1HcI2Cbhm7zdCFjZfFVHXhC/E8tOdrVSglAH2HDEHR0x2SiHRxtxOGC7ak2Zjog==} - deprecated: versions below 1.x are no longer maintained - requiresBuild: true + '@substrate/connect@0.7.19': dependencies: '@substrate/connect-extension-protocol': 1.0.1 '@substrate/smoldot-light': 0.7.9 @@ -4860,13 +9371,9 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /@substrate/connect@0.8.10: - resolution: {integrity: sha512-DIyQ13DDlXqVFnLV+S6/JDgiGowVRRrh18kahieJxhgvzcWicw5eLc6jpfQ0moVVLBYkO7rctB5Wreldwpva8w==} - deprecated: versions below 1.x are no longer maintained - requiresBuild: true + '@substrate/connect@0.8.10': dependencies: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 @@ -4875,13 +9382,9 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /@substrate/connect@0.8.11: - resolution: {integrity: sha512-ofLs1PAO9AtDdPbdyTYj217Pe+lBfTLltdHDs3ds8no0BseoLeAGxpz1mHfi7zB4IxI3YyAiLjH6U8cw4pj4Nw==} - deprecated: versions below 1.x are no longer maintained - requiresBuild: true + '@substrate/connect@0.8.11': dependencies: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 @@ -4890,13 +9393,9 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /@substrate/connect@0.8.8: - resolution: {integrity: sha512-zwaxuNEVI9bGt0rT8PEJiXOyebLIo6QN1SyiAHRPBOl6g3Sy0KKdSN8Jmyn++oXhVRD8aIe75/V8ZkS81T+BPQ==} - deprecated: versions below 1.x are no longer maintained - requiresBuild: true + '@substrate/connect@0.8.8': dependencies: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 @@ -4905,14 +9404,9 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /@substrate/light-client-extension-helpers@0.0.4(smoldot@2.0.22): - resolution: {integrity: sha512-vfKcigzL0SpiK+u9sX6dq2lQSDtuFLOxIJx2CKPouPEHIs8C+fpsufn52r19GQn+qDhU8POMPHOVoqLktj8UEA==} - requiresBuild: true - peerDependencies: - smoldot: 2.x + '@substrate/light-client-extension-helpers@0.0.4(smoldot@2.0.22)': dependencies: '@polkadot-api/client': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0(rxjs@7.8.1) '@polkadot-api/json-rpc-provider': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 @@ -4922,14 +9416,9 @@ packages: '@substrate/connect-known-chains': 1.1.8 rxjs: 7.8.1 smoldot: 2.0.22 - dev: false optional: true - /@substrate/light-client-extension-helpers@0.0.6(smoldot@2.0.22): - resolution: {integrity: sha512-girltEuxQ1BvkJWmc8JJlk4ZxnlGXc/wkLcNguhY+UoDEMBK0LsdtfzQKIfrIehi4QdeSBlFEFBoI4RqPmsZzA==} - requiresBuild: true - peerDependencies: - smoldot: 2.x + '@substrate/light-client-extension-helpers@0.0.6(smoldot@2.0.22)': dependencies: '@polkadot-api/json-rpc-provider': 0.0.1 '@polkadot-api/json-rpc-provider-proxy': 0.0.1 @@ -4939,14 +9428,9 @@ packages: '@substrate/connect-known-chains': 1.1.8 rxjs: 7.8.1 smoldot: 2.0.22 - dev: false optional: true - /@substrate/light-client-extension-helpers@1.0.0(smoldot@2.0.26): - resolution: {integrity: sha512-TdKlni1mBBZptOaeVrKnusMg/UBpWUORNDv5fdCaJklP4RJiFOzBCrzC+CyVI5kQzsXBisZ+2pXm+rIjS38kHg==} - requiresBuild: true - peerDependencies: - smoldot: 2.x + '@substrate/light-client-extension-helpers@1.0.0(smoldot@2.0.26)': dependencies: '@polkadot-api/json-rpc-provider': 0.0.1 '@polkadot-api/json-rpc-provider-proxy': 0.1.0 @@ -4956,41 +9440,30 @@ packages: '@substrate/connect-known-chains': 1.1.8 rxjs: 7.8.1 smoldot: 2.0.26 - dev: false optional: true - /@substrate/smoldot-light@0.6.8: - resolution: {integrity: sha512-9lVwbG6wrtss0sd6013BJGe4WN4taujsGG49pwyt1Lj36USeL2Sb164TTUxmZF/g2NQEqDPwPROBdekQ2gFmgg==} + '@substrate/smoldot-light@0.6.8': dependencies: buffer: 6.0.3 pako: 2.1.0 websocket: 1.0.35 transitivePeerDependencies: - supports-color - dev: false - /@substrate/smoldot-light@0.7.9: - resolution: {integrity: sha512-HP8iP7sFYlpSgjjbo0lqHyU+gu9lL2hbDNce6dWk5/10mFFF9jKIFGfui4zCecUY808o/Go9pan/31kMJoLbug==} - requiresBuild: true + '@substrate/smoldot-light@0.7.9': dependencies: pako: 2.1.0 ws: 8.18.0 transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /@substrate/ss58-registry@1.44.0: - resolution: {integrity: sha512-7lQ/7mMCzVNSEfDS4BCqnRnKCFKpcOaPrxMeGTXHX1YQzM/m2BBHjbK2C3dJvjv7GYxMiaTq/HdWQj1xS6ss+A==} - dev: false + '@substrate/ss58-registry@1.44.0': {} - /@substrate/ss58-registry@1.50.0: - resolution: {integrity: sha512-mkmlMlcC+MSd9rA+PN8ljGAm5fVZskvVwkXIsbx4NFwaT8kt38r7e9cyDWscG3z2Zn40POviZvEMrJSk+r2SgQ==} - dev: false + '@substrate/ss58-registry@1.50.0': {} - /@substrate/txwrapper-core@7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-OAz67qDZpBzQLnHeN95hnQWeYX9HZfxow1LkBAW3TmhXUjycU3gu0D0rvw0gYMQyIt7uYszV/m+5xUbUW+bpZg==} + '@substrate/txwrapper-core@7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@polkadot/api': 11.3.1 '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) @@ -5001,10 +9474,8 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@substrate/txwrapper-substrate@7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-7Zwlx7UwAGTObvYTpykZu7Z26YxnjO460AftrVOZlM8xQ2mpSdwbdmQAPjTwi+WsWiFqWlY4irD9dWTRN1+WUg==} + '@substrate/txwrapper-substrate@7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': dependencies: '@substrate/txwrapper-core': 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) transitivePeerDependencies: @@ -5013,210 +9484,123 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /@szmarczak/http-timer@4.0.6: - resolution: {integrity: sha512-4BAffykYOgO+5nzBWYwE3W90sBgLJoUPRWWcL8wlyiM8IB8ipJz3UMJ9KXQd1RKQXpKp8Tutn80HZtWsu2u76w==} - engines: {node: '>=10'} + '@szmarczak/http-timer@4.0.6': dependencies: defer-to-connect: 2.0.1 - dev: false - /@szmarczak/http-timer@5.0.1: - resolution: {integrity: sha512-+PmQX0PiAYPMeVYe237LJAYvOMYW1j2rH5YROyS3b4CTVJum34HfRvKvAzozHAQG0TnHNdUfY9nCeUyRAs//cw==} - engines: {node: '>=14.16'} + '@szmarczak/http-timer@5.0.1': dependencies: defer-to-connect: 2.0.1 - dev: false - /@tootallnate/once@1.1.2: - resolution: {integrity: sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==} - engines: {node: '>= 6'} - requiresBuild: true - dev: false + '@tootallnate/once@1.1.2': optional: true - /@tsconfig/node10@1.0.9: - resolution: {integrity: sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==} - dev: false + '@tsconfig/node10@1.0.9': {} - /@tsconfig/node12@1.0.11: - resolution: {integrity: sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==} - dev: false + '@tsconfig/node12@1.0.11': {} - /@tsconfig/node14@1.0.3: - resolution: {integrity: sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==} - dev: false + '@tsconfig/node14@1.0.3': {} - /@tsconfig/node16@1.0.4: - resolution: {integrity: sha512-vxhUy4J8lyeyinH7Azl1pdd43GJhZH/tP2weN8TntQblOY+A0XbT8DJk1/oCPuOOyg/Ja757rG0CgHcWC8OfMA==} - dev: false + '@tsconfig/node16@1.0.4': {} - /@types/abstract-leveldown@7.2.5: - resolution: {integrity: sha512-/2B0nQF4UdupuxeKTJA2+Rj1D+uDemo6P4kMwKCpbfpnzeVaWSELTsAw4Lxn3VJD6APtRrZOCuYo+4nHUQfTfg==} - dev: false + '@types/abstract-leveldown@7.2.5': {} - /@types/aws-lambda@8.10.136: - resolution: {integrity: sha512-cmmgqxdVGhxYK9lZMYYXYRJk6twBo53ivtXjIUEFZxfxe4TkZTZBK3RRWrY2HjJcUIix0mdifn15yjOAat5lTA==} - dev: false + '@types/aws-lambda@8.10.136': {} - /@types/bn.js@4.11.6: - resolution: {integrity: sha512-pqr857jrp2kPuO9uRjZ3PwnJTjoQy+fcdxvBTvHm6dkmEL9q+hDD/2j/0ELOBPtPnS8LjCX0gI9nbl8lVkadpg==} + '@types/bn.js@4.11.6': dependencies: '@types/node': 22.7.0 - dev: false - /@types/bn.js@5.1.5: - resolution: {integrity: sha512-V46N0zwKRF5Q00AZ6hWtN0T8gGmDUaUzLWQvHFo5yThtVwK/VCenFY3wXVbOvNfajEpsTfQM4IN9k/d6gUVX3A==} + '@types/bn.js@5.1.5': dependencies: '@types/node': 22.7.0 - dev: false - /@types/cacheable-request@6.0.3: - resolution: {integrity: sha512-IQ3EbTzGxIigb1I3qPZc1rWJnH0BmSKv5QYTalEwweFvyBDLSAe24zP0le/hyi7ecGfZVlIVAg4BZqb8WBwKqw==} + '@types/cacheable-request@6.0.3': dependencies: '@types/http-cache-semantics': 4.0.4 '@types/keyv': 3.1.4 '@types/node': 22.7.0 '@types/responselike': 1.0.3 - dev: false - /@types/debug@4.1.12: - resolution: {integrity: sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==} + '@types/debug@4.1.12': dependencies: '@types/ms': 0.7.34 - dev: true - /@types/estree@1.0.5: - resolution: {integrity: sha512-/kYRxGDLWzHOB7q+wtSUQlFrtcdUccpfy+X+9iMBpHK8QLLhx2wIPYuS5DYtR9Wa/YlZAbIovy7qVdB1Aq6Lyw==} - dev: false + '@types/estree@1.0.5': {} - /@types/http-cache-semantics@4.0.4: - resolution: {integrity: sha512-1m0bIFVc7eJWyve9S0RnuRgcQqF/Xd5QsUZAZeQFr1Q3/p9JWoQQEqmVy+DPTNpGXwhgIetAoYF8JSc33q29QA==} - dev: false + '@types/http-cache-semantics@4.0.4': {} - /@types/json-bigint@1.0.4: - resolution: {integrity: sha512-ydHooXLbOmxBbubnA7Eh+RpBzuaIiQjh8WGJYQB50JFGFrdxW7JzVlyEV7fAXw0T2sqJ1ysTneJbiyNLqZRAag==} - dev: true + '@types/json-bigint@1.0.4': {} - /@types/json-schema@7.0.15: - resolution: {integrity: sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==} - dev: true + '@types/json-schema@7.0.15': {} - /@types/keyv@3.1.4: - resolution: {integrity: sha512-BQ5aZNSCpj7D6K2ksrRCTmKRLEpnPvWDiLPfoGyhZ++8YtiK9d/3DBKPJgry359X/P1PfruyYwvnvwFjuEiEIg==} + '@types/keyv@3.1.4': dependencies: '@types/node': 22.7.0 - dev: false - /@types/level-errors@3.0.2: - resolution: {integrity: sha512-gyZHbcQ2X5hNXf/9KS2qGEmgDe9EN2WDM3rJ5Ele467C0nA1sLhtmv1bZiPMDYfAYCfPWft0uQIaTvXbASSTRA==} - dev: false + '@types/level-errors@3.0.2': {} - /@types/levelup@4.3.3: - resolution: {integrity: sha512-K+OTIjJcZHVlZQN1HmU64VtrC0jC3dXWQozuEIR9zVvltIk90zaGPM2AgT+fIkChpzHhFE3YnvFLCbLtzAmexA==} + '@types/levelup@4.3.3': dependencies: '@types/abstract-leveldown': 7.2.5 '@types/level-errors': 3.0.2 '@types/node': 22.7.0 - dev: false - /@types/long@4.0.2: - resolution: {integrity: sha512-MqTGEo5bj5t157U6fA/BiDynNkn0YknVdh48CMPkTSpFTVmvao5UQmm7uEF6xBEo7qIMAlY/JSleYaE6VOdpaA==} - dev: false + '@types/long@4.0.2': {} - /@types/ms@0.7.34: - resolution: {integrity: sha512-nG96G3Wp6acyAgJqGasjODb+acrI7KltPiRxzHPXnP3NgI28bpQDRv53olbqGXbfcgF5aiiHmO3xpwEpS5Ld9g==} - dev: true + '@types/ms@0.7.34': {} - /@types/node-fetch@2.6.11: - resolution: {integrity: sha512-24xFj9R5+rfQJLRyM56qh+wnVSYhyXC2tkoBndtY0U+vubqNsYXGjufB2nn8Q6gt0LrARwL6UBtMCSVCwl4B1g==} + '@types/node-fetch@2.6.11': dependencies: '@types/node': 22.7.0 form-data: 4.0.0 - dev: false - /@types/node@12.20.55: - resolution: {integrity: sha512-J8xLz7q2OFulZ2cyGTLE1TbbZcjpno7FaN6zdJNrgAdrJ+DZzh/uFR6YrTb4C+nXakvud8Q4+rbhoIWlYQbUFQ==} - dev: false + '@types/node@12.20.55': {} - /@types/node@18.15.13: - resolution: {integrity: sha512-N+0kuo9KgrUQ1Sn/ifDXsvg0TTleP7rIy4zOBGECxAljqvqfqpTfzx0Q1NUedOixRMBfe2Whhb056a42cWs26Q==} - dev: false + '@types/node@18.15.13': {} - /@types/node@20.14.10: - resolution: {integrity: sha512-MdiXf+nDuMvY0gJKxyfZ7/6UFsETO7mGKF54MVD/ekJS6HdFtpZFBgrh6Pseu64XTb2MLyFPlbW6hj8HYRQNOQ==} + '@types/node@20.14.10': dependencies: undici-types: 5.26.5 - dev: false - /@types/node@22.7.0: - resolution: {integrity: sha512-MOdOibwBs6KW1vfqz2uKMlxq5xAfAZ98SZjO8e3XnAbFnTJtAspqhWk7hrdSAs9/Y14ZWMiy7/MxMUzAOadYEw==} + '@types/node@22.7.0': dependencies: undici-types: 6.19.8 - /@types/pbkdf2@3.1.2: - resolution: {integrity: sha512-uRwJqmiXmh9++aSu1VNEn3iIxWOhd8AHXNSdlaLfdAAdSTY9jYVeGWnzejM3dvrkbqE3/hyQkQQ29IFATEGlew==} + '@types/pbkdf2@3.1.2': dependencies: '@types/node': 22.7.0 - dev: false - /@types/responselike@1.0.3: - resolution: {integrity: sha512-H/+L+UkTV33uf49PH5pCAUBVPNj2nDBXTN+qS1dOwyyg24l3CcicicCA7ca+HMvJBZcFgl5r8e+RR6elsb4Lyw==} + '@types/responselike@1.0.3': dependencies: '@types/node': 22.7.0 - dev: false - /@types/secp256k1@4.0.6: - resolution: {integrity: sha512-hHxJU6PAEUn0TP4S/ZOzuTUvJWuZ6eIKeNKb5RBpODvSl6hp1Wrw4s7ATY50rklRCScUDpHzVA/DQdSjJ3UoYQ==} + '@types/secp256k1@4.0.6': dependencies: '@types/node': 22.7.0 - dev: false - /@types/semver@7.5.8: - resolution: {integrity: sha512-I8EUhyrgfLrcTkzV3TSsGyl1tSuPrEDzr0yd5m90UgNxQkyDXULk3b6MlQqTCpZpNtWe1K0hzclnZkTcLBe2UQ==} - dev: true + '@types/semver@7.5.8': {} - /@types/stylis@4.2.5: - resolution: {integrity: sha512-1Xve+NMN7FWjY14vLoY5tL3BVEQ/n42YLwaqJIPYhotZ9uBHt87VceMwWQpzmdEt2TNXIorIFG+YeCUUW7RInw==} - dev: false + '@types/stylis@4.2.5': {} - /@types/uuid@9.0.8: - resolution: {integrity: sha512-jg+97EGIcY9AGHJJRaaPVgetKDsrTgbRjQ5Msgjh/DQKEFl0DtyRr/VCOyD1T2R1MNeWPK/u7JoGhlDZnKBAfA==} - dev: false + '@types/uuid@9.0.8': {} - /@types/websocket@1.0.10: - resolution: {integrity: sha512-svjGZvPB7EzuYS94cI7a+qhwgGU1y89wUgjT6E2wVUfmAGIvRfT7obBvRtnhXCSsoMdlG4gBFGE7MfkIXZLoww==} + '@types/websocket@1.0.10': dependencies: '@types/node': 22.7.0 - dev: false - /@types/ws@8.5.3: - resolution: {integrity: sha512-6YOoWjruKj1uLf3INHH7D3qTXwFfEsg1kf3c0uDdSBJwfa/llkwIjrAGV7j7mVgGNbzTQ3HiHKKDXl6bJPD97w==} + '@types/ws@8.5.3': dependencies: '@types/node': 22.7.0 - dev: false - /@types/yargs-parser@21.0.3: - resolution: {integrity: sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==} - dev: true + '@types/yargs-parser@21.0.3': {} - /@types/yargs@17.0.33: - resolution: {integrity: sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==} + '@types/yargs@17.0.33': dependencies: '@types/yargs-parser': 21.0.3 - dev: true - /@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2): - resolution: {integrity: sha512-HpqNTH8Du34nLxbKgVMGljZMG0rJd2O9ecvr2QLYp+7512ty1j42KnsFwspPXg1Vh8an9YImf6CokUBltisZFQ==} - engines: {node: ^18.18.0 || >=20.0.0} - peerDependencies: - '@typescript-eslint/parser': ^7.0.0 - eslint: ^8.56.0 - typescript: '*' - peerDependenciesMeta: - typescript: - optional: true + '@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2)': dependencies: '@eslint-community/regexpp': 4.11.0 '@typescript-eslint/parser': 7.5.0(eslint@8.57.0)(typescript@5.6.2) @@ -5234,17 +9618,8 @@ packages: typescript: 5.6.2 transitivePeerDependencies: - supports-color - dev: true - - /@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2): - resolution: {integrity: sha512-cj+XGhNujfD2/wzR1tabNsidnYRaFfEkcULdcIyVBYcXjBvBKOes+mpMBP7hMpOyk+gBcfXsrg4NBGAStQyxjQ==} - engines: {node: ^18.18.0 || >=20.0.0} - peerDependencies: - eslint: ^8.56.0 - typescript: '*' - peerDependenciesMeta: - typescript: - optional: true + + '@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2)': dependencies: '@typescript-eslint/scope-manager': 7.5.0 '@typescript-eslint/types': 7.5.0 @@ -5255,25 +9630,13 @@ packages: typescript: 5.6.2 transitivePeerDependencies: - supports-color - dev: true - /@typescript-eslint/scope-manager@7.5.0: - resolution: {integrity: sha512-Z1r7uJY0MDeUlql9XJ6kRVgk/sP11sr3HKXn268HZyqL7i4cEfrdFuSSY/0tUqT37l5zT0tJOsuDP16kio85iA==} - engines: {node: ^18.18.0 || >=20.0.0} + '@typescript-eslint/scope-manager@7.5.0': dependencies: '@typescript-eslint/types': 7.5.0 '@typescript-eslint/visitor-keys': 7.5.0 - dev: true - /@typescript-eslint/type-utils@7.5.0(eslint@8.57.0)(typescript@5.6.2): - resolution: {integrity: sha512-A021Rj33+G8mx2Dqh0nMO9GyjjIBK3MqgVgZ2qlKf6CJy51wY/lkkFqq3TqqnH34XyAHUkq27IjlUkWlQRpLHw==} - engines: {node: ^18.18.0 || >=20.0.0} - peerDependencies: - eslint: ^8.56.0 - typescript: '*' - peerDependenciesMeta: - typescript: - optional: true + '@typescript-eslint/type-utils@7.5.0(eslint@8.57.0)(typescript@5.6.2)': dependencies: '@typescript-eslint/typescript-estree': 7.5.0(typescript@5.6.2) '@typescript-eslint/utils': 7.5.0(eslint@8.57.0)(typescript@5.6.2) @@ -5283,21 +9646,10 @@ packages: typescript: 5.6.2 transitivePeerDependencies: - supports-color - dev: true - /@typescript-eslint/types@7.5.0: - resolution: {integrity: sha512-tv5B4IHeAdhR7uS4+bf8Ov3k793VEVHd45viRRkehIUZxm0WF82VPiLgHzA/Xl4TGPg1ZD49vfxBKFPecD5/mg==} - engines: {node: ^18.18.0 || >=20.0.0} - dev: true + '@typescript-eslint/types@7.5.0': {} - /@typescript-eslint/typescript-estree@7.5.0(typescript@5.6.2): - resolution: {integrity: sha512-YklQQfe0Rv2PZEueLTUffiQGKQneiIEKKnfIqPIOxgM9lKSZFCjT5Ad4VqRKj/U4+kQE3fa8YQpskViL7WjdPQ==} - engines: {node: ^18.18.0 || >=20.0.0} - peerDependencies: - typescript: '*' - peerDependenciesMeta: - typescript: - optional: true + '@typescript-eslint/typescript-estree@7.5.0(typescript@5.6.2)': dependencies: '@typescript-eslint/types': 7.5.0 '@typescript-eslint/visitor-keys': 7.5.0 @@ -5310,13 +9662,8 @@ packages: typescript: 5.6.2 transitivePeerDependencies: - supports-color - dev: true - /@typescript-eslint/utils@7.5.0(eslint@8.57.0)(typescript@5.6.2): - resolution: {integrity: sha512-3vZl9u0R+/FLQcpy2EHyRGNqAS/ofJ3Ji8aebilfJe+fobK8+LbIFmrHciLVDxjDoONmufDcnVSF38KwMEOjzw==} - engines: {node: ^18.18.0 || >=20.0.0} - peerDependencies: - eslint: ^8.56.0 + '@typescript-eslint/utils@7.5.0(eslint@8.57.0)(typescript@5.6.2)': dependencies: '@eslint-community/eslint-utils': 4.4.0(eslint@8.57.0) '@types/json-schema': 7.0.15 @@ -5329,118 +9676,68 @@ packages: transitivePeerDependencies: - supports-color - typescript - dev: true - /@typescript-eslint/visitor-keys@7.5.0: - resolution: {integrity: sha512-mcuHM/QircmA6O7fy6nn2w/3ditQkj+SgtOc8DW3uQ10Yfj42amm2i+6F2K4YAOPNNTmE6iM1ynM6lrSwdendA==} - engines: {node: ^18.18.0 || >=20.0.0} + '@typescript-eslint/visitor-keys@7.5.0': dependencies: '@typescript-eslint/types': 7.5.0 eslint-visitor-keys: 3.4.3 - dev: true - /@ungap/structured-clone@1.2.0: - resolution: {integrity: sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ==} - dev: true + '@ungap/structured-clone@1.2.0': {} - /@unique-nft/opal-testnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2): - resolution: {integrity: sha512-vXJoV7cqwO21svd03DFL7bl8H77zFbJzgkUgNPLPbVA6YkZt+ZeDmbP9lKKPbNadB1DP84kOZPVvsbmzx7+Jxg==} - peerDependencies: - '@polkadot/api': ^10.10.1 - '@polkadot/types': ^10.10.1 + '@unique-nft/opal-testnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': dependencies: '@polkadot/api': 12.4.2 '@polkadot/types': 12.4.2 - dev: false - /@unique-nft/quartz-mainnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2): - resolution: {integrity: sha512-qs5iwMcDpBeJ6mXzSAbMB6DY9NkdAqPD1KmekOVG9Vug+hKWvSlfW5ozd63O/J2h7iliqwL0WZjDdwvBNdcTNg==} - peerDependencies: - '@polkadot/api': ^10.10.1 - '@polkadot/types': ^10.10.1 + '@unique-nft/quartz-mainnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': dependencies: '@polkadot/api': 12.4.2 '@polkadot/types': 12.4.2 - dev: false - /@unique-nft/sapphire-mainnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2): - resolution: {integrity: sha512-hEMpLDPZxUuGW+B90AxaF3Clw/kvGn20oao+Ejq4nrCNRF/2k3CjjuG1NScZVcPZuGgKPAkBPiHNSF9aRN6qFg==} - peerDependencies: - '@polkadot/api': ^10.10.1 - '@polkadot/types': ^10.10.1 + '@unique-nft/sapphire-mainnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': dependencies: '@polkadot/api': 12.4.2 '@polkadot/types': 12.4.2 - dev: false - /@unique-nft/unique-mainnet-types@1001.63.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2): - resolution: {integrity: sha512-IVr+F7+QvbW2zhbI2aWNtiOBXYAcd6GQ9HmDUdfSd4S0s3TSa8PAC/ikNvD3fk1A2FlBbWjVO0JyPDnnybv/og==} - peerDependencies: - '@polkadot/api': ^10.10.1 - '@polkadot/types': ^10.10.1 + '@unique-nft/unique-mainnet-types@1001.63.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': dependencies: '@polkadot/api': 12.4.2 '@polkadot/types': 12.4.2 - dev: false - /@vitest/expect@2.1.1: - resolution: {integrity: sha512-YeueunS0HiHiQxk+KEOnq/QMzlUuOzbU1Go+PgAsHvvv3tUkJPm9xWt+6ITNTlzsMXUjmgm5T+U7KBPK2qQV6w==} + '@vitest/expect@2.1.1': dependencies: '@vitest/spy': 2.1.1 '@vitest/utils': 2.1.1 chai: 5.1.1 tinyrainbow: 1.2.0 - dev: false - /@vitest/mocker@2.1.1(@vitest/spy@2.1.1)(vite@5.1.6): - resolution: {integrity: sha512-LNN5VwOEdJqCmJ/2XJBywB11DLlkbY0ooDJW3uRX5cZyYCrc4PI/ePX0iQhE3BiEGiQmK4GE7Q/PqCkkaiPnrA==} - peerDependencies: - '@vitest/spy': 2.1.1 - msw: ^2.3.5 - vite: ^5.0.0 - peerDependenciesMeta: - msw: - optional: true - vite: - optional: true + '@vitest/mocker@2.1.1(@vitest/spy@2.1.1)(vite@5.1.6)': dependencies: '@vitest/spy': 2.1.1 estree-walker: 3.0.3 magic-string: 0.30.11 vite: 5.1.6(@types/node@22.7.0) - dev: false - /@vitest/pretty-format@2.1.1: - resolution: {integrity: sha512-SjxPFOtuINDUW8/UkElJYQSFtnWX7tMksSGW0vfjxMneFqxVr8YJ979QpMbDW7g+BIiq88RAGDjf7en6rvLPPQ==} + '@vitest/pretty-format@2.1.1': dependencies: tinyrainbow: 1.2.0 - dev: false - /@vitest/runner@2.1.1: - resolution: {integrity: sha512-uTPuY6PWOYitIkLPidaY5L3t0JJITdGTSwBtwMjKzo5O6RCOEncz9PUN+0pDidX8kTHYjO0EwUIvhlGpnGpxmA==} + '@vitest/runner@2.1.1': dependencies: '@vitest/utils': 2.1.1 pathe: 1.1.2 - dev: false - /@vitest/snapshot@2.1.1: - resolution: {integrity: sha512-BnSku1WFy7r4mm96ha2FzN99AZJgpZOWrAhtQfoxjUU5YMRpq1zmHRq7a5K9/NjqonebO7iVDla+VvZS8BOWMw==} + '@vitest/snapshot@2.1.1': dependencies: '@vitest/pretty-format': 2.1.1 magic-string: 0.30.11 pathe: 1.1.2 - dev: false - /@vitest/spy@2.1.1: - resolution: {integrity: sha512-ZM39BnZ9t/xZ/nF4UwRH5il0Sw93QnZXd9NAZGRpIgj0yvVwPpLd702s/Cx955rGaMlyBQkZJ2Ir7qyY48VZ+g==} + '@vitest/spy@2.1.1': dependencies: tinyspy: 3.0.0 - dev: false - /@vitest/ui@2.1.1(vitest@2.1.1): - resolution: {integrity: sha512-IIxo2LkQDA+1TZdPLYPclzsXukBWd5dX2CKpGqH8CCt8Wh0ZuDn4+vuQ9qlppEju6/igDGzjWF/zyorfsf+nHg==} - peerDependencies: - vitest: 2.1.1 + '@vitest/ui@2.1.1(vitest@2.1.1)': dependencies: '@vitest/utils': 2.1.1 fflate: 0.8.2 @@ -5450,35 +9747,27 @@ packages: tinyglobby: 0.2.6 tinyrainbow: 1.2.0 vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) - dev: false - /@vitest/utils@2.1.1: - resolution: {integrity: sha512-Y6Q9TsI+qJ2CC0ZKj6VBb+T8UPz593N113nnUykqwANqhgf3QkZeHFlusgKLTqrnVHbj/XDKZcDHol+dxVT+rQ==} + '@vitest/utils@2.1.1': dependencies: '@vitest/pretty-format': 2.1.1 loupe: 3.1.1 tinyrainbow: 1.2.0 - dev: false - /@vue/compiler-core@3.4.31: - resolution: {integrity: sha512-skOiodXWTV3DxfDhB4rOf3OGalpITLlgCeOwb+Y9GJpfQ8ErigdBUHomBzvG78JoVE8MJoQsb+qhZiHfKeNeEg==} + '@vue/compiler-core@3.4.31': dependencies: '@babel/parser': 7.24.7 '@vue/shared': 3.4.31 entities: 4.5.0 estree-walker: 2.0.2 source-map-js: 1.2.0 - dev: false - /@vue/compiler-dom@3.4.31: - resolution: {integrity: sha512-wK424WMXsG1IGMyDGyLqB+TbmEBFM78hIsOJ9QwUVLGrcSk0ak6zYty7Pj8ftm7nEtdU/DGQxAXp0/lM/2cEpQ==} + '@vue/compiler-dom@3.4.31': dependencies: '@vue/compiler-core': 3.4.31 '@vue/shared': 3.4.31 - dev: false - /@vue/compiler-sfc@3.4.31: - resolution: {integrity: sha512-einJxqEw8IIJxzmnxmJBuK2usI+lJonl53foq+9etB2HAzlPjAS/wa7r0uUpXw5ByX3/0uswVSrjNb17vJm1kQ==} + '@vue/compiler-sfc@3.4.31': dependencies: '@babel/parser': 7.24.7 '@vue/compiler-core': 3.4.31 @@ -5489,62 +9778,41 @@ packages: magic-string: 0.30.10 postcss: 8.4.39 source-map-js: 1.2.0 - dev: false - /@vue/compiler-ssr@3.4.31: - resolution: {integrity: sha512-RtefmITAje3fJ8FSg1gwgDhdKhZVntIVbwupdyZDSifZTRMiWxWehAOTCc8/KZDnBOcYQ4/9VWxsTbd3wT0hAA==} + '@vue/compiler-ssr@3.4.31': dependencies: '@vue/compiler-dom': 3.4.31 '@vue/shared': 3.4.31 - dev: false - /@vue/reactivity@3.4.31: - resolution: {integrity: sha512-VGkTani8SOoVkZNds1PfJ/T1SlAIOf8E58PGAhIOUDYPC4GAmFA2u/E14TDAFcf3vVDKunc4QqCe/SHr8xC65Q==} + '@vue/reactivity@3.4.31': dependencies: '@vue/shared': 3.4.31 - dev: false - /@vue/runtime-core@3.4.31: - resolution: {integrity: sha512-LDkztxeUPazxG/p8c5JDDKPfkCDBkkiNLVNf7XZIUnJ+66GVGkP+TIh34+8LtPisZ+HMWl2zqhIw0xN5MwU1cw==} + '@vue/runtime-core@3.4.31': dependencies: '@vue/reactivity': 3.4.31 '@vue/shared': 3.4.31 - dev: false - /@vue/runtime-dom@3.4.31: - resolution: {integrity: sha512-2Auws3mB7+lHhTFCg8E9ZWopA6Q6L455EcU7bzcQ4x6Dn4cCPuqj6S2oBZgN2a8vJRS/LSYYxwFFq2Hlx3Fsaw==} + '@vue/runtime-dom@3.4.31': dependencies: '@vue/reactivity': 3.4.31 '@vue/runtime-core': 3.4.31 '@vue/shared': 3.4.31 csstype: 3.1.3 - dev: false - /@vue/server-renderer@3.4.31(vue@3.4.31): - resolution: {integrity: sha512-D5BLbdvrlR9PE3by9GaUp1gQXlCNadIZytMIb8H2h3FMWJd4oUfkUTEH2wAr3qxoRz25uxbTcbqd3WKlm9EHQA==} - peerDependencies: - vue: 3.4.31 + '@vue/server-renderer@3.4.31(vue@3.4.31)': dependencies: '@vue/compiler-ssr': 3.4.31 '@vue/shared': 3.4.31 vue: 3.4.31(typescript@5.6.2) - dev: false - /@vue/shared@3.4.31: - resolution: {integrity: sha512-Yp3wtJk//8cO4NItOPpi3QkLExAr/aLBGZMmTtW9WpdwBCJpRM6zj9WgWktXAl8IDIozwNMByT45JP3tO3ACWA==} - dev: false + '@vue/shared@3.4.31': {} - /@zeitgeistpm/type-defs@1.0.0: - resolution: {integrity: sha512-dtjNlJSb8ELz87aTD6jqKKfO7kY4HFYzSmDk9JrzHLv+w/JKtG+aLz+WImL6MSaF1MjDE1tm28dj980Zn+nfGA==} - dev: false + '@zeitgeistpm/type-defs@1.0.0': {} - /@zeroio/type-definitions@0.0.14: - resolution: {integrity: sha512-OkqtOLPkR7oqWLrsgRKhzyLZVFLnNLfEF3DMXH+Rpn1fMNMDq/fOY9pXt55B+flBc62saN73CfOTy3hMSVZFTA==} - dev: false + '@zeroio/type-definitions@0.0.14': {} - /@zombienet/orchestrator@0.0.87(@polkadot/util@12.6.2)(@types/node@22.7.0): - resolution: {integrity: sha512-kORyR8/JgiP0BStooCbcyUkhPOI+RXKRs1QEqUN+kKtIN7PvpEjtXlhxROWiqpIQqhcDsHmkOxFcxSq1T0Glaw==} - engines: {node: '>=18'} + '@zombienet/orchestrator@0.0.87(@polkadot/util@12.6.2)(@types/node@22.7.0)': dependencies: '@polkadot/api': 11.3.1 '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) @@ -5575,11 +9843,8 @@ packages: - chokidar - supports-color - utf-8-validate - dev: false - /@zombienet/utils@0.0.25(@types/node@20.14.10)(typescript@5.6.2): - resolution: {integrity: sha512-VS+tWmdZ8ozRkA1Lgb/Si9iISgJz8AEQpPnlnlIg3lfVHYFqAD7M5DpiFv24AAEBSraokVhUv9E9E1uE4d4f0w==} - engines: {node: '>=18'} + '@zombienet/utils@0.0.25(@types/node@20.14.10)(typescript@5.6.2)': dependencies: cli-table3: 0.6.3 debug: 4.3.7(supports-color@8.1.1) @@ -5594,11 +9859,8 @@ packages: - chokidar - supports-color - typescript - dev: false - /@zombienet/utils@0.0.25(@types/node@22.7.0)(typescript@5.6.2): - resolution: {integrity: sha512-VS+tWmdZ8ozRkA1Lgb/Si9iISgJz8AEQpPnlnlIg3lfVHYFqAD7M5DpiFv24AAEBSraokVhUv9E9E1uE4d4f0w==} - engines: {node: '>=18'} + '@zombienet/utils@0.0.25(@types/node@22.7.0)(typescript@5.6.2)': dependencies: cli-table3: 0.6.3 debug: 4.3.7(supports-color@8.1.1) @@ -5613,421 +9875,234 @@ packages: - chokidar - supports-color - typescript - dev: false - /JSONStream@1.3.5: - resolution: {integrity: sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==} - hasBin: true + JSONStream@1.3.5: dependencies: jsonparse: 1.3.1 through: 2.3.8 - dev: false - /a-sync-waterfall@1.0.1: - resolution: {integrity: sha512-RYTOHHdWipFUliRFMCS4X2Yn2X8M87V/OpSqWzKKOGhzqyUxzyVmhHDH9sAvG+ZuQf/TAOFsLCpMw09I1ufUnA==} - dev: false + a-sync-waterfall@1.0.1: {} - /abbrev@1.1.1: - resolution: {integrity: sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==} - requiresBuild: true - dev: false + abbrev@1.1.1: optional: true - /abitype@0.7.1(typescript@5.6.2): - resolution: {integrity: sha512-VBkRHTDZf9Myaek/dO3yMmOzB/y2s3Zo6nVU7yaw1G+TvCHAjwaJzNGN9yo4K5D8bU/VZXKP1EJpRhFr862PlQ==} - peerDependencies: - typescript: '>=4.9.4' - zod: ^3 >=3.19.1 - peerDependenciesMeta: - zod: - optional: true + abitype@0.7.1(typescript@5.6.2): dependencies: typescript: 5.6.2 - dev: false - /abitype@1.0.5(typescript@5.6.2): - resolution: {integrity: sha512-YzDhti7cjlfaBhHutMaboYB21Ha3rXR9QTkNJFzYC4kC8YclaiwPBBBJY8ejFdu2wnJeZCVZSMlQJ7fi8S6hsw==} - peerDependencies: - typescript: '>=5.0.4' - zod: ^3 >=3.22.0 - peerDependenciesMeta: - typescript: - optional: true - zod: - optional: true + abitype@1.0.5(typescript@5.6.2): dependencies: typescript: 5.6.2 - dev: false - /abort-controller@3.0.0: - resolution: {integrity: sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg==} - engines: {node: '>=6.5'} + abort-controller@3.0.0: dependencies: event-target-shim: 5.0.1 - dev: false - /abortcontroller-polyfill@1.7.5: - resolution: {integrity: sha512-JMJ5soJWP18htbbxJjG7bG6yuI6pRhgJ0scHHTfkUjf6wjP912xZWvM+A4sJK3gqd9E8fcPbDnOefbA9Th/FIQ==} - dev: false + abortcontroller-polyfill@1.7.5: {} - /abstract-leveldown@6.2.3: - resolution: {integrity: sha512-BsLm5vFMRUrrLeCcRc+G0t2qOaTzpoJQLOubq2XM72eNpjF5UdU5o/5NvlNhx95XHcAvcl8OMXr4mlg/fRgUXQ==} - engines: {node: '>=6'} + abstract-leveldown@6.2.3: dependencies: buffer: 5.7.1 immediate: 3.2.3 level-concat-iterator: 2.0.1 level-supports: 1.0.1 xtend: 4.0.2 - dev: false - /abstract-leveldown@6.3.0: - resolution: {integrity: sha512-TU5nlYgta8YrBMNpc9FwQzRbiXsj49gsALsXadbGHt9CROPzX5fB0rWDR5mtdpOOKa5XqRFpbj1QroPAoPzVjQ==} - engines: {node: '>=6'} + abstract-leveldown@6.3.0: dependencies: buffer: 5.7.1 immediate: 3.3.0 level-concat-iterator: 2.0.1 level-supports: 1.0.1 xtend: 4.0.2 - dev: false - /accepts@1.3.8: - resolution: {integrity: sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==} - engines: {node: '>= 0.6'} + accepts@1.3.8: dependencies: mime-types: 2.1.35 negotiator: 0.6.3 - dev: false - /acorn-jsx@5.3.2(acorn@8.12.1): - resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==} - peerDependencies: - acorn: ^6.0.0 || ^7.0.0 || ^8.0.0 + acorn-jsx@5.3.2(acorn@8.12.1): dependencies: acorn: 8.12.1 - dev: true - /acorn-walk@8.3.2: - resolution: {integrity: sha512-cjkyv4OtNCIeqhHrfS81QWXoCBPExR/J62oyEqepVw8WaQeSqpW2uhuLPh1m9eWhDuOo/jUXVTlifvesOWp/4A==} - engines: {node: '>=0.4.0'} - dev: false + acorn-walk@8.3.2: {} - /acorn@8.11.3: - resolution: {integrity: sha512-Y9rRfJG5jcKOE0CLisYbojUjIrIEE7AGMzA/Sm4BslANhbS+cDMpgBdcPT91oJ7OuJ9hYJBx59RjbhxVnrF8Xg==} - engines: {node: '>=0.4.0'} - hasBin: true - dev: false + acorn@8.11.3: {} - /acorn@8.12.1: - resolution: {integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==} - engines: {node: '>=0.4.0'} - hasBin: true - dev: true + acorn@8.12.1: {} - /aes-js@4.0.0-beta.5: - resolution: {integrity: sha512-G965FqalsNyrPqgEGON7nIx1e/OVENSgiEIzyC63haUMuvNnwIgIjMs52hlTCKhkBny7A2ORNlfY9Zu+jmGk1Q==} - dev: false + aes-js@4.0.0-beta.5: {} - /agent-base@6.0.2: - resolution: {integrity: sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==} - engines: {node: '>= 6.0.0'} - requiresBuild: true + agent-base@6.0.2: dependencies: debug: 4.3.7(supports-color@8.1.1) transitivePeerDependencies: - supports-color - dev: false optional: true - /agent-base@7.1.1: - resolution: {integrity: sha512-H0TSyFNDMomMNJQBn8wFV5YC/2eJ+VXECwOadZJT554xP6cODZHPX3H9QMQECxvrgiSOP1pHjy1sMWQVYJOUOA==} - engines: {node: '>= 14'} + agent-base@7.1.1: dependencies: debug: 4.3.7(supports-color@8.1.1) transitivePeerDependencies: - supports-color - dev: false - /agentkeepalive@4.5.0: - resolution: {integrity: sha512-5GG/5IbQQpC9FpkRGsSvZI5QYeSCzlJHdpBQntCsuTOxhKD8lqKhrleg2Yi7yvMIf82Ycmmqln9U8V9qwEiJew==} - engines: {node: '>= 8.0.0'} - requiresBuild: true + agentkeepalive@4.5.0: dependencies: humanize-ms: 1.2.1 - dev: false optional: true - /aggregate-error@3.1.0: - resolution: {integrity: sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==} - engines: {node: '>=8'} - requiresBuild: true + aggregate-error@3.1.0: dependencies: clean-stack: 2.2.0 indent-string: 4.0.0 - dev: false optional: true - /aggregate-error@5.0.0: - resolution: {integrity: sha512-gOsf2YwSlleG6IjRYG2A7k0HmBMEo6qVNk9Bp/EaLgAJT5ngH6PXbqa4ItvnEwCm/velL5jAnQgsHsWnjhGmvw==} - engines: {node: '>=18'} + aggregate-error@5.0.0: dependencies: clean-stack: 5.2.0 indent-string: 5.0.0 - dev: false - /ajv@6.12.6: - resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==} + ajv@6.12.6: dependencies: fast-deep-equal: 3.1.3 fast-json-stable-stringify: 2.1.0 json-schema-traverse: 0.4.1 uri-js: 4.4.1 - /ansi-colors@4.1.1: - resolution: {integrity: sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==} - engines: {node: '>=6'} - dev: false + ansi-colors@4.1.1: {} - /ansi-colors@4.1.3: - resolution: {integrity: sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==} - engines: {node: '>=6'} - dev: false + ansi-colors@4.1.3: {} - /ansi-escapes@4.3.2: - resolution: {integrity: sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==} - engines: {node: '>=8'} + ansi-escapes@4.3.2: dependencies: type-fest: 0.21.3 - dev: false - /ansi-regex@5.0.1: - resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==} - engines: {node: '>=8'} + ansi-regex@5.0.1: {} - /ansi-regex@6.0.1: - resolution: {integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==} - engines: {node: '>=12'} - dev: false + ansi-regex@6.0.1: {} - /ansi-styles@4.3.0: - resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==} - engines: {node: '>=8'} + ansi-styles@4.3.0: dependencies: color-convert: 2.0.1 - /ansi-styles@6.2.1: - resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==} - engines: {node: '>=12'} - dev: false + ansi-styles@6.2.1: {} - /any-promise@1.3.0: - resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==} - dev: false + any-promise@1.3.0: {} - /anymatch@3.1.3: - resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==} - engines: {node: '>= 8'} + anymatch@3.1.3: dependencies: normalize-path: 3.0.0 picomatch: 2.3.1 - dev: false - /app-root-path@3.1.0: - resolution: {integrity: sha512-biN3PwB2gUtjaYy/isrU3aNWI5w+fAfvHkSvCKeQGxhmYpwKFUxudR3Yya+KqVRHBmEDYh+/lTozYCFbmzX4nA==} - engines: {node: '>= 6.0.0'} - dev: false + app-root-path@3.1.0: {} - /aproba@2.0.0: - resolution: {integrity: sha512-lYe4Gx7QT+MKGbDsA+Z+he/Wtef0BiwDOlK/XkBrdfsh9J/jPPXbX0tE9x9cl27Tmu5gg3QUbUrQYa/y+KOHPQ==} - requiresBuild: true - dev: false + aproba@2.0.0: optional: true - /are-we-there-yet@3.0.1: - resolution: {integrity: sha512-QZW4EDmGwlYur0Yyf/b2uGucHQMa8aFUP7eu9ddR73vvhFyt4V0Vl3QHPcTNJ8l6qYOBdxgXdnBXQrHilfRQBg==} - engines: {node: ^12.13.0 || ^14.15.0 || >=16.0.0} - deprecated: This package is no longer supported. - requiresBuild: true + are-we-there-yet@3.0.1: dependencies: delegates: 1.0.0 readable-stream: 3.6.2 - dev: false optional: true - /arg@4.1.3: - resolution: {integrity: sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==} - dev: false + arg@4.1.3: {} - /argparse@2.0.1: - resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==} + argparse@2.0.1: {} - /array-buffer-byte-length@1.0.1: - resolution: {integrity: sha512-ahC5W1xgou+KTXix4sAO8Ki12Q+jf4i0+tmk3sC+zgcynshkHxzpXdImBehiUYKKKDwvfFiJl1tZt6ewscS1Mg==} - engines: {node: '>= 0.4'} + array-buffer-byte-length@1.0.1: dependencies: call-bind: 1.0.7 is-array-buffer: 3.0.4 - dev: false - /array-flatten@1.1.1: - resolution: {integrity: sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==} - dev: false + array-flatten@1.1.1: {} - /array-union@2.1.0: - resolution: {integrity: sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==} - engines: {node: '>=8'} - dev: true + array-union@2.1.0: {} - /asap@2.0.6: - resolution: {integrity: sha512-BSHWgDSAiKs50o2Re8ppvp3seVHXSRM44cdSsT9FfNEUUZLOGWVCsiWaRPWM1Znn+mqZ1OfVZ3z3DWEzSp7hRA==} - dev: false + asap@2.0.6: {} - /asn1@0.2.6: - resolution: {integrity: sha512-ix/FxPn0MDjeyJ7i/yoHGFt/EX6LyNbxSEhPPXODPL+KB0VPk86UYfL0lMdy+KCnv+fmvIzySwaK5COwqVbWTQ==} + asn1@0.2.6: dependencies: safer-buffer: 2.1.2 - dev: false - /assert-plus@1.0.0: - resolution: {integrity: sha512-NfJ4UzBCcQGLDlQq7nHxH+tv3kyZ0hHQqF5BO6J7tNJeP5do1llPr8dZ8zHonfhAu0PHAdMkSo+8o0wxg9lZWw==} - engines: {node: '>=0.8'} - dev: false + assert-plus@1.0.0: {} - /assertion-error@1.1.0: - resolution: {integrity: sha512-jgsaNduz+ndvGyFt3uSuWqvy4lCnIJiovtouQN5JZHOKCS2QuhEdbcQHFhVksz2N2U9hXJo8odG7ETyWlEeuDw==} - dev: false + assertion-error@1.1.0: {} - /assertion-error@2.0.1: - resolution: {integrity: sha512-Izi8RQcffqCeNVgFigKli1ssklIbpHnCYc6AknXGYoB6grJqyeby7jv12JUQgmTAnIDnbck1uxksT4dzN3PWBA==} - engines: {node: '>=12'} - dev: false + assertion-error@2.0.1: {} - /async-limiter@1.0.1: - resolution: {integrity: sha512-csOlWGAcRFJaI6m+F2WKdnMKr4HhdhFVBk0H/QbJFMCr+uO2kwohwXQPxw/9OCxp05r5ghVBFSyioixx3gfkNQ==} - dev: false + async-limiter@1.0.1: {} - /asynckit@0.4.0: - resolution: {integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==} - dev: false + asynckit@0.4.0: {} - /atomic-sleep@1.0.0: - resolution: {integrity: sha512-kNOjDqAh7px0XWNI+4QbzoiR/nTkHAWNud2uvnJquD1/x5a7EQZMJT0AczqK0Qn67oY/TTQ1LbUKajZpp3I9tQ==} - engines: {node: '>=8.0.0'} - dev: false + atomic-sleep@1.0.0: {} - /available-typed-arrays@1.0.7: - resolution: {integrity: sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==} - engines: {node: '>= 0.4'} + available-typed-arrays@1.0.7: dependencies: possible-typed-array-names: 1.0.0 - dev: false - /aws-sign2@0.7.0: - resolution: {integrity: sha512-08kcGqnYf/YmjoRhfxyu+CLxBjUtHLXLXX/vUfx9l2LYzG3c1m61nrpyFUZI6zeS+Li/wWMMidD9KgrqtGq3mA==} - dev: false + aws-sign2@0.7.0: {} - /aws4@1.12.0: - resolution: {integrity: sha512-NmWvPnx0F1SfrQbYwOi7OeaNGokp9XhzNioJ/CSBs8Qa4vxug81mhJEAVZwxXuBmYB5KDRfMq/F3RR0BIU7sWg==} - dev: false + aws4@1.12.0: {} - /axios@1.7.7(debug@4.3.7): - resolution: {integrity: sha512-S4kL7XrjgBmvdGut0sN3yJxqYzrDOnivkBiN0OFs6hLiUam3UPvswUo0kqGyhqUZGEOytHyumEdXsAkgCOUf3Q==} + axios@1.7.7(debug@4.3.7): dependencies: follow-redirects: 1.15.6(debug@4.3.7) form-data: 4.0.0 proxy-from-env: 1.1.0 transitivePeerDependencies: - debug - dev: false - /balanced-match@1.0.2: - resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==} + balanced-match@1.0.2: {} - /base-x@3.0.10: - resolution: {integrity: sha512-7d0s06rR9rYaIWHkpfLIFICM/tkSVdoPC9qYAQRpxn9DdKNWNsKC0uk++akckyLq16Tx2WIinnZ6WRriAt6njQ==} + base-x@3.0.10: dependencies: safe-buffer: 5.2.1 - dev: false - /base64-js@1.5.1: - resolution: {integrity: sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==} - dev: false + base64-js@1.5.1: {} - /bcrypt-pbkdf@1.0.2: - resolution: {integrity: sha512-qeFIXtP4MSoi6NLqO12WfqARWWuCKi2Rn/9hJLEmtB5yTNr9DqFWkJRCf2qShWzPeAMRnOgCrq0sg/KLv5ES9w==} + bcrypt-pbkdf@1.0.2: dependencies: tweetnacl: 0.14.5 - dev: false - /before-after-hook@3.0.2: - resolution: {integrity: sha512-Nik3Sc0ncrMK4UUdXQmAnRtzmNQTAAXmXIopizwZ1W1t8QmfJj+zL4OA2I7XPTPW5z5TDqv4hRo/JzouDJnX3A==} - dev: false + before-after-hook@3.0.2: {} - /bidi-js@1.0.3: - resolution: {integrity: sha512-RKshQI1R3YQ+n9YJz2QQ147P66ELpa1FQEg20Dk8oW9t2KgLbpDLLp9aGZ7y8WHSshDknG0bknqGw5/tyCs5tw==} + bidi-js@1.0.3: dependencies: require-from-string: 2.0.2 - dev: false - /bignumber.js@9.1.2: - resolution: {integrity: sha512-2/mKyZH9K85bzOEfhXDBFZTGd1CTs+5IHpeFQo9luiBG7hghdC851Pj2WAhb6E3R6b9tZj/XKhbg4fum+Kepug==} - dev: false + bignumber.js@9.1.2: {} - /binary-extensions@2.2.0: - resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==} - engines: {node: '>=8'} - dev: false + binary-extensions@2.2.0: {} - /bindings@1.5.0: - resolution: {integrity: sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ==} + bindings@1.5.0: dependencies: file-uri-to-path: 1.0.0 - dev: false - /bit-twiddle@1.0.2: - resolution: {integrity: sha512-B9UhK0DKFZhoTFcfvAzhqsjStvGJp9vYWf3+6SNTtdSQnvIgfkHbgHrg/e4+TH71N2GDu8tpmCVoyfrL1d7ntA==} - dev: false + bit-twiddle@1.0.2: {} - /bl@4.1.0: - resolution: {integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==} + bl@4.1.0: dependencies: buffer: 5.7.1 inherits: 2.0.4 readable-stream: 3.6.2 - dev: false - /bl@5.1.0: - resolution: {integrity: sha512-tv1ZJHLfTDnXE6tMHv73YgSJaWR2AFuPwMntBe7XL/GBFHnT0CLnsHMogfk5+GzCDC5ZWarSCYaIGATZt9dNsQ==} + bl@5.1.0: dependencies: buffer: 6.0.3 inherits: 2.0.4 readable-stream: 3.6.2 - dev: false - /blakejs@1.2.1: - resolution: {integrity: sha512-QXUSXI3QVc/gJME0dBpXrag1kbzOqCjCX8/b54ntNyW6sjtoqxqRk3LTmXzaJoh71zMsDCjM+47jS7XiwN/+fQ==} - dev: false + blakejs@1.2.1: {} - /bluebird@3.7.2: - resolution: {integrity: sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==} - dev: false + bluebird@3.7.2: {} - /bn.js@4.11.6: - resolution: {integrity: sha512-XWwnNNFCuuSQ0m3r3C4LE3EiORltHd9M05pq6FOlVeiophzRbMo50Sbz1ehl8K3Z+jw9+vmgnXefY1hz8X+2wA==} - dev: false + bn.js@4.11.6: {} - /bn.js@4.12.0: - resolution: {integrity: sha512-c98Bf3tPniI+scsdk237ku1Dc3ujXQTSgyiPUDEOe7tRkhrqridvh8klBv0HCEso1OLOYcHuCv/cS6DNxKH+ZA==} - dev: false + bn.js@4.12.0: {} - /bn.js@5.2.1: - resolution: {integrity: sha512-eXRvHzWyYPBuB4NBy0cmYQjGitUrtqwbvlzP3G6VFnNRbsZQIxQ10PbKKHt8gZ/HW/D/747aDl+QkDqg3KQLMQ==} - dev: false + bn.js@5.2.1: {} - /body-parser@1.20.1: - resolution: {integrity: sha512-jWi7abTbYwajOytWCQc37VulmWiRae5RyTpaCyDcS5/lMdtwSz5lOpDE67srw/HYe35f1z3fDQw+3txg7gNtWw==} - engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16} + body-parser@1.20.1: dependencies: bytes: 3.1.2 content-type: 1.0.5 @@ -6043,11 +10118,8 @@ packages: unpipe: 1.0.0 transitivePeerDependencies: - supports-color - dev: false - /body-parser@1.20.2: - resolution: {integrity: sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==} - engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16} + body-parser@1.20.2: dependencies: bytes: 3.1.2 content-type: 1.0.5 @@ -6063,49 +10135,33 @@ packages: unpipe: 1.0.0 transitivePeerDependencies: - supports-color - dev: false - /boolean@3.2.0: - resolution: {integrity: sha512-d0II/GO9uf9lfUHH2BQsjxzRJZBdsjgsBiW4BvhWk/3qoKwQFjIDVN19PfX8F2D/r9PCMTtLWjYVCFrpeYUzsw==} - dev: false + boolean@3.2.0: {} - /bottleneck@2.19.5: - resolution: {integrity: sha512-VHiNCbI1lKdl44tGrhNfU3lup0Tj/ZBMJB5/2ZbNXRCPuRCO7ed2mgcK4r17y+KB2EfuYuRaVlwNbAeaWGSpbw==} + bottleneck@2.19.5: {} - /brace-expansion@1.1.11: - resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==} + brace-expansion@1.1.11: dependencies: balanced-match: 1.0.2 concat-map: 0.0.1 - /brace-expansion@2.0.1: - resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==} + brace-expansion@2.0.1: dependencies: balanced-match: 1.0.2 - /braces@3.0.2: - resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==} - engines: {node: '>=8'} + braces@3.0.2: dependencies: fill-range: 7.0.1 - dev: false - /braces@3.0.3: - resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==} - engines: {node: '>=8'} + braces@3.0.3: dependencies: fill-range: 7.1.1 - /brorand@1.1.0: - resolution: {integrity: sha512-cKV8tMCEpQs4hK/ik71d6LrPOnpkpGBR0wzxqr68g2m/LB2GxVYQroAjMJZRVM1Y4BCjCKc3vAamxSzOY2RP+w==} - dev: false + brorand@1.1.0: {} - /browser-stdout@1.3.1: - resolution: {integrity: sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw==} - dev: false + browser-stdout@1.3.1: {} - /browserify-aes@1.2.0: - resolution: {integrity: sha512-+7CHXqGuspUn/Sl5aO7Ea0xWGAtETPXNSAjHo48JfLdPWcMng33Xe4znFvQweqc/uzk5zSOI3H52CYnjCfb5hA==} + browserify-aes@1.2.0: dependencies: buffer-xor: 1.0.3 cipher-base: 1.0.4 @@ -6113,66 +10169,40 @@ packages: evp_bytestokey: 1.0.3 inherits: 2.0.4 safe-buffer: 5.2.1 - dev: false - /bs58@4.0.1: - resolution: {integrity: sha512-Ok3Wdf5vOIlBrgCvTq96gBkJw+JUEzdBgyaza5HLtPm7yTHkjRy8+JzNyHF7BHa0bNWOQIp3m5YF0nnFcOIKLw==} + bs58@4.0.1: dependencies: base-x: 3.0.10 - dev: false - /bs58check@2.1.2: - resolution: {integrity: sha512-0TS1jicxdU09dwJMNZtVAfzPi6Q6QeN0pM1Fkzrjn+XYHvzMKPU3pHVpva+769iNVSfIYWf7LJ6WR+BuuMf8cA==} + bs58check@2.1.2: dependencies: bs58: 4.0.1 create-hash: 1.2.0 safe-buffer: 5.2.1 - dev: false - /buffer-to-arraybuffer@0.0.5: - resolution: {integrity: sha512-3dthu5CYiVB1DEJp61FtApNnNndTckcqe4pFcLdvHtrpG+kcyekCJKg4MRiDcFW7A6AODnXB9U4dwQiCW5kzJQ==} - dev: false + buffer-to-arraybuffer@0.0.5: {} - /buffer-xor@1.0.3: - resolution: {integrity: sha512-571s0T7nZWK6vB67HI5dyUF7wXiNcfaPPPTl6zYCNApANjIvYJTg7hlud/+cJpdAhS7dVzqMLmfhfHR3rAcOjQ==} - dev: false + buffer-xor@1.0.3: {} - /buffer@5.7.1: - resolution: {integrity: sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==} + buffer@5.7.1: dependencies: base64-js: 1.5.1 ieee754: 1.2.1 - dev: false - /buffer@6.0.3: - resolution: {integrity: sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA==} + buffer@6.0.3: dependencies: base64-js: 1.5.1 ieee754: 1.2.1 - dev: false - /bufferutil@4.0.8: - resolution: {integrity: sha512-4T53u4PdgsXqKaIctwF8ifXlRTTmEPJ8iEPWFdGZvcf7sbwYo6FKFEX9eNNAnzFZ7EzJAQ3CJeOtCRA4rDp7Pw==} - engines: {node: '>=6.14.2'} - requiresBuild: true + bufferutil@4.0.8: dependencies: node-gyp-build: 4.8.1 - dev: false - /bytes@3.1.2: - resolution: {integrity: sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==} - engines: {node: '>= 0.8'} - dev: false + bytes@3.1.2: {} - /cac@6.7.14: - resolution: {integrity: sha512-b6Ilus+c3RrdDk+JhLKUAQfzzgLEPy6wcXqS7f/xe1EETvsDP6GORG7SFuOs6cID5YkqchW/LXZbX5bc8j7ZcQ==} - engines: {node: '>=8'} - dev: false + cac@6.7.14: {} - /cacache@15.3.0: - resolution: {integrity: sha512-VVdYzXEn+cnbXpFgWs5hTT7OScegHVmLhJIR8Ufqk3iFD6A6j5iSX1KuBTfNEv4tdJWE2PzA6IVFtcLC7fN9wQ==} - engines: {node: '>= 10'} - requiresBuild: true + cacache@15.3.0: dependencies: '@npmcli/fs': 1.1.1 '@npmcli/move-file': 1.1.2 @@ -6194,22 +10224,13 @@ packages: unique-filename: 1.1.1 transitivePeerDependencies: - bluebird - dev: false optional: true - /cacheable-lookup@5.0.4: - resolution: {integrity: sha512-2/kNscPhpcxrOigMZzbiWF7dz8ilhb/nIHU3EyZiXWXpeq/au8qJ8VhdftMkty3n7Gj6HIGalQG8oiBNB3AJgA==} - engines: {node: '>=10.6.0'} - dev: false + cacheable-lookup@5.0.4: {} - /cacheable-lookup@6.1.0: - resolution: {integrity: sha512-KJ/Dmo1lDDhmW2XDPMo+9oiy/CeqosPguPCrgcVzKyZrL6pM1gU2GmPY/xo6OQPTUaA/c0kwHuywB4E6nmT9ww==} - engines: {node: '>=10.6.0'} - dev: false + cacheable-lookup@6.1.0: {} - /cacheable-request@7.0.4: - resolution: {integrity: sha512-v+p6ongsrp0yTGbJXjgxPow2+DL93DASP4kXCDKb8/bwRtt9OEF3whggkkDkGNzgcWy2XaF4a8nZglC7uElscg==} - engines: {node: '>=8'} + cacheable-request@7.0.4: dependencies: clone-response: 1.0.3 get-stream: 5.2.0 @@ -6218,68 +10239,41 @@ packages: lowercase-keys: 2.0.0 normalize-url: 6.1.0 responselike: 2.0.1 - dev: false - /call-bind@1.0.5: - resolution: {integrity: sha512-C3nQxfFZxFRVoJoGKKI8y3MOEo129NQ+FgQ08iye+Mk4zNZZGdjfs06bVTr+DBSlA66Q2VEcMki/cUCP4SercQ==} + call-bind@1.0.5: dependencies: function-bind: 1.1.2 get-intrinsic: 1.2.2 set-function-length: 1.1.1 - dev: false - /call-bind@1.0.7: - resolution: {integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==} - engines: {node: '>= 0.4'} + call-bind@1.0.7: dependencies: es-define-property: 1.0.0 es-errors: 1.3.0 function-bind: 1.1.2 get-intrinsic: 1.2.4 set-function-length: 1.2.2 - dev: false - /callsites@3.1.0: - resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==} - engines: {node: '>=6'} - dev: true + callsites@3.1.0: {} - /camelcase@5.3.1: - resolution: {integrity: sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==} - engines: {node: '>=6'} - dev: false + camelcase@5.3.1: {} - /camelcase@6.3.0: - resolution: {integrity: sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==} - engines: {node: '>=10'} - dev: false + camelcase@6.3.0: {} - /camelize@1.0.1: - resolution: {integrity: sha512-dU+Tx2fsypxTgtLoE36npi3UqcjSSMNYfkqgmoEhtZrraP5VWq0K7FkWVTYa8eMPtnU/G2txVsfdCJTn9uzpuQ==} - dev: false + camelize@1.0.1: {} - /canvas-renderer@2.2.1: - resolution: {integrity: sha512-RrBgVL5qCEDIXpJ6NrzyRNoTnXxYarqm/cS/W6ERhUJts5UQtt/XPEosGN3rqUkZ4fjBArlnCbsISJ+KCFnIAg==} + canvas-renderer@2.2.1: dependencies: '@types/node': 22.7.0 - dev: false - /caseless@0.12.0: - resolution: {integrity: sha512-4tYFyifaFfGacoiObjJegolkwSU4xQNGbVgUiNYVUxbQ2x2lUsFvY4hVgVzGiIe6WLOPqycWXA40l+PWsxthUw==} - dev: false + caseless@0.12.0: {} - /cfonts@3.3.0: - resolution: {integrity: sha512-RlVxeEw2FXWI5Bs9LD0/Ef3bsQIc9m6lK/DINN20HIW0Y0YHUO2jjy88cot9YKZITiRTCdWzTfLmTyx47HeSLA==} - engines: {node: '>=10'} - hasBin: true + cfonts@3.3.0: dependencies: supports-color: 8.1.1 window-size: 1.1.1 - dev: false - /chai@4.4.1: - resolution: {integrity: sha512-13sOfMv2+DWduEU+/xbun3LScLoqN17nBeTLUsmDfKdoiC1fr0n9PU4guu4AhRcOVFk/sW8LyZWHuhWtQZiF+g==} - engines: {node: '>=4'} + chai@4.4.1: dependencies: assertion-error: 1.1.0 check-error: 1.0.3 @@ -6288,57 +10282,36 @@ packages: loupe: 2.3.7 pathval: 1.1.1 type-detect: 4.0.8 - dev: false - /chai@5.1.1: - resolution: {integrity: sha512-pT1ZgP8rPNqUgieVaEY+ryQr6Q4HXNg8Ei9UnLUrjN4IA7dvQC5JB+/kxVcPNDHyBcc/26CXPkbNzq3qwrOEKA==} - engines: {node: '>=12'} + chai@5.1.1: dependencies: assertion-error: 2.0.1 check-error: 2.1.1 deep-eql: 5.0.2 loupe: 3.1.1 pathval: 2.0.0 - dev: false - /chalk@3.0.0: - resolution: {integrity: sha512-4D3B6Wf41KOYRFdszmDqMCGq5VV/uMAB273JILmO+3jAlh8X4qDtdtgCR3fxtbLEMzSx22QdhnDcJvu2u1fVwg==} - engines: {node: '>=8'} + chalk@3.0.0: dependencies: ansi-styles: 4.3.0 supports-color: 7.2.0 - dev: false - - /chalk@4.1.2: - resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==} - engines: {node: '>=10'} + + chalk@4.1.2: dependencies: ansi-styles: 4.3.0 supports-color: 7.2.0 - /chalk@5.3.0: - resolution: {integrity: sha512-dLitG79d+GV1Nb/VYcCDFivJeK1hiukt9QjRNVOsUtTy1rR1YJsmpGGTZ3qJos+uw7WmWF4wUwBd9jxjocFC2w==} - engines: {node: ^12.17.0 || ^14.13 || >=16.0.0} - dev: false + chalk@5.3.0: {} - /chardet@0.7.0: - resolution: {integrity: sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==} - dev: false + chardet@0.7.0: {} - /check-error@1.0.3: - resolution: {integrity: sha512-iKEoDYaRmd1mxM90a2OEfWhjsjPpYPuQ+lMYsoxB126+t8fw7ySEO48nmDg5COTjxDI65/Y2OWpeEHk3ZOe8zg==} + check-error@1.0.3: dependencies: get-func-name: 2.0.2 - dev: false - /check-error@2.1.1: - resolution: {integrity: sha512-OAlb+T7V4Op9OwdkjmguYRqncdlx5JiofwOAUkmTF+jNdHwzTaTs4sRAGpzLF3oOz5xAyDGrPgeIDFQmDOTiJw==} - engines: {node: '>= 16'} - dev: false + check-error@2.1.1: {} - /chokidar@3.5.3: - resolution: {integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==} - engines: {node: '>= 8.10.0'} + chokidar@3.5.3: dependencies: anymatch: 3.1.3 braces: 3.0.2 @@ -6349,11 +10322,8 @@ packages: readdirp: 3.6.0 optionalDependencies: fsevents: 2.3.3 - dev: false - /chokidar@3.6.0: - resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==} - engines: {node: '>= 8.10.0'} + chokidar@3.6.0: dependencies: anymatch: 3.1.3 braces: 3.0.3 @@ -6364,76 +10334,44 @@ packages: readdirp: 3.6.0 optionalDependencies: fsevents: 2.3.3 - dev: false - /chownr@1.1.4: - resolution: {integrity: sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==} - dev: false + chownr@1.1.4: {} - /chownr@2.0.0: - resolution: {integrity: sha512-bIomtDF5KGpdogkLd9VspvFzk9KfpyyGlS8YFVZl7TGPBHL5snIOnxeshwVgPteQ9b4Eydl+pVbIyE1DcvCWgQ==} - engines: {node: '>=10'} - dev: false + chownr@2.0.0: {} - /cids@0.7.5: - resolution: {integrity: sha512-zT7mPeghoWAu+ppn8+BS1tQ5qGmbMfB4AregnQjA/qHY3GC1m1ptI9GkWNlgeu38r7CuRdXB47uY2XgAYt6QVA==} - engines: {node: '>=4.0.0', npm: '>=3.0.0'} - deprecated: This module has been superseded by the multiformats module + cids@0.7.5: dependencies: buffer: 5.7.1 class-is: 1.1.0 multibase: 0.6.1 multicodec: 1.0.4 multihashes: 0.4.21 - dev: false - /cipher-base@1.0.4: - resolution: {integrity: sha512-Kkht5ye6ZGmwv40uUDZztayT2ThLQGfnj/T71N/XzeZeo3nf8foyW7zGTsPYkEya3m5f3cAypH+qe7YOrM1U2Q==} + cipher-base@1.0.4: dependencies: inherits: 2.0.4 safe-buffer: 5.2.1 - dev: false - /class-is@1.1.0: - resolution: {integrity: sha512-rhjH9AG1fvabIDoGRVH587413LPjTZgmDF9fOFCbFJQV4yuocX1mHxxvXI4g3cGwbVY9wAYIoKlg1N79frJKQw==} - dev: false + class-is@1.1.0: {} - /clean-stack@2.2.0: - resolution: {integrity: sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==} - engines: {node: '>=6'} - requiresBuild: true - dev: false + clean-stack@2.2.0: optional: true - /clean-stack@5.2.0: - resolution: {integrity: sha512-TyUIUJgdFnCISzG5zu3291TAsE77ddchd0bepon1VVQrKLGKFED4iXFEDQ24mIPdPBbyE16PK3F8MYE1CmcBEQ==} - engines: {node: '>=14.16'} + clean-stack@5.2.0: dependencies: escape-string-regexp: 5.0.0 - dev: false - /clear@0.1.0: - resolution: {integrity: sha512-qMjRnoL+JDPJHeLePZJuao6+8orzHMGP04A8CdwCNsKhRbOnKRjefxONR7bwILT3MHecxKBjHkKL/tkZ8r4Uzw==} - dev: false + clear@0.1.0: {} - /cli-cursor@3.1.0: - resolution: {integrity: sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==} - engines: {node: '>=8'} + cli-cursor@3.1.0: dependencies: restore-cursor: 3.1.0 - dev: false - /cli-cursor@4.0.0: - resolution: {integrity: sha512-VGtlMu3x/4DOtIUwEkRezxUZ2lBacNJCHash0N0WeZDBS+7Ux1dm3XWAgWYxLJFMMdOeXMHXorshEFhbMSGelg==} - engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + cli-cursor@4.0.0: dependencies: restore-cursor: 4.0.0 - dev: false - /cli-highlight@2.1.11: - resolution: {integrity: sha512-9KDcoEVwyUXrjcJNvHD0NFc/hiwe/WPVYIleQh2O1N2Zro5gWJZ/K+3DGn8w8P/F6FxOgzyC5bxDyHIgCSPhGg==} - engines: {node: '>=8.0.0', npm: '>=5.0.0'} - hasBin: true + cli-highlight@2.1.11: dependencies: chalk: 4.1.2 highlight.js: 10.7.3 @@ -6441,207 +10379,120 @@ packages: parse5: 5.1.1 parse5-htmlparser2-tree-adapter: 6.0.1 yargs: 16.2.0 - dev: false - /cli-progress@3.12.0: - resolution: {integrity: sha512-tRkV3HJ1ASwm19THiiLIXLO7Im7wlTuKnvkYaTkyoAPefqjNg7W7DHKUlGRxy9vxDvbyCYQkQozvptuMkGCg8A==} - engines: {node: '>=4'} + cli-progress@3.12.0: dependencies: string-width: 4.2.3 - dev: false - /cli-spinners@2.9.2: - resolution: {integrity: sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==} - engines: {node: '>=6'} - dev: false + cli-spinners@2.9.2: {} - /cli-table3@0.6.3: - resolution: {integrity: sha512-w5Jac5SykAeZJKntOxJCrm63Eg5/4dhMWIcuTbo9rpE+brgaSZo0RuNJZeOyMgsUdhDeojvgyQLmjI+K50ZGyg==} - engines: {node: 10.* || >= 12.*} + cli-table3@0.6.3: dependencies: string-width: 4.2.3 optionalDependencies: '@colors/colors': 1.5.0 - dev: false - /cli-width@4.1.0: - resolution: {integrity: sha512-ouuZd4/dm2Sw5Gmqy6bGyNNNe1qt9RpmxveLSO7KcgsTnU7RXfsw+/bukWGo1abgBiMAic068rclZsO4IWmmxQ==} - engines: {node: '>= 12'} - dev: false + cli-width@4.1.0: {} - /cliui@7.0.4: - resolution: {integrity: sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==} + cliui@7.0.4: dependencies: string-width: 4.2.3 strip-ansi: 6.0.1 wrap-ansi: 7.0.0 - dev: false - /cliui@8.0.1: - resolution: {integrity: sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==} - engines: {node: '>=12'} + cliui@8.0.1: dependencies: string-width: 4.2.3 strip-ansi: 6.0.1 wrap-ansi: 7.0.0 - /clone-response@1.0.3: - resolution: {integrity: sha512-ROoL94jJH2dUVML2Y/5PEDNaSHgeOdSDicUyS7izcF63G6sTc/FTjLub4b8Il9S8S0beOfYt0TaA5qvFK+w0wA==} + clone-response@1.0.3: dependencies: mimic-response: 1.0.1 - dev: false - /clone@1.0.4: - resolution: {integrity: sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==} - engines: {node: '>=0.8'} - dev: false + clone@1.0.4: {} - /color-convert@2.0.1: - resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==} - engines: {node: '>=7.0.0'} + color-convert@2.0.1: dependencies: color-name: 1.1.4 - /color-name@1.1.4: - resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==} + color-name@1.1.4: {} - /color-support@1.1.3: - resolution: {integrity: sha512-qiBjkpbMLO/HL68y+lh4q0/O1MZFj2RX6X/KmMa3+gJD3z+WwI1ZzDHysvqHGS3mP6mznPckpXmw1nI9cJjyRg==} - hasBin: true - requiresBuild: true - dev: false + color-support@1.1.3: optional: true - /colord@2.9.3: - resolution: {integrity: sha512-jeC1axXpnb0/2nn/Y1LPuLdgXBLH7aDcHu4KEKfqw3CUhX7ZpfBSlPKyqXE6btIgEzfWtrX3/tyBCaCvXvMkOw==} - dev: false + colord@2.9.3: {} - /colorette@2.0.20: - resolution: {integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==} - dev: false + colorette@2.0.20: {} - /colors@1.4.0: - resolution: {integrity: sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA==} - engines: {node: '>=0.1.90'} - dev: false + colors@1.4.0: {} - /combined-stream@1.0.8: - resolution: {integrity: sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==} - engines: {node: '>= 0.8'} + combined-stream@1.0.8: dependencies: delayed-stream: 1.0.0 - dev: false - /comlink@4.4.1: - resolution: {integrity: sha512-+1dlx0aY5Jo1vHy/tSsIGpSkN4tS9rZSW8FIhG0JH/crs9wwweswIo/POr451r7bZww3hFbPAKnTpimzL/mm4Q==} - dev: false + comlink@4.4.1: {} - /command-exists@1.2.9: - resolution: {integrity: sha512-LTQ/SGc+s0Xc0Fu5WaKnR0YiygZkm9eKFvyS+fRsU7/ZWFF8ykFM6Pc9aCVf1+xasOOZpO3BAVgVrKvsqKHV7w==} - dev: false + command-exists@1.2.9: {} - /commander@2.7.1: - resolution: {integrity: sha512-5qK/Wsc2fnRCiizV1JlHavWrSGAXQI7AusK423F8zJLwIGq8lmtO5GmO8PVMrtDUJMwTXOFBzSN6OCRD8CEMWw==} - engines: {node: '>= 0.6.x'} + commander@2.7.1: dependencies: graceful-readlink: 1.0.1 - dev: false - /commander@5.1.0: - resolution: {integrity: sha512-P0CysNDQ7rtVw4QIQtm+MRxV66vKFSvlsQvGYXZWR3qFU0jlMKHZZZgw8e+8DSah4UDKMqnknRDQz+xuQXQ/Zg==} - engines: {node: '>= 6'} - dev: false + commander@5.1.0: {} - /commander@8.3.0: - resolution: {integrity: sha512-OkTL9umf+He2DZkUq8f8J9of7yL6RJKI24dVITBmNfZBmri9zYZQrKkuXiKhyfPSu8tUhnVBB1iKXevvnlR4Ww==} - engines: {node: '>= 12'} - dev: false + commander@8.3.0: {} - /complex.js@2.1.1: - resolution: {integrity: sha512-8njCHOTtFFLtegk6zQo0kkVX1rngygb/KQI6z1qZxlFI3scluC+LVTCFbrkWjBv4vvLlbQ9t88IPMC6k95VTTg==} - dev: false + complex.js@2.1.1: {} - /concat-map@0.0.1: - resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==} + concat-map@0.0.1: {} - /config-chain@1.1.13: - resolution: {integrity: sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==} + config-chain@1.1.13: dependencies: ini: 1.3.8 proto-list: 1.2.4 - dev: false - /console-control-strings@1.1.0: - resolution: {integrity: sha512-ty/fTekppD2fIwRvnZAVdeOiGd1c7YXEixbgJTNzqcxJWKQnjJ/V1bNEEE6hygpM3WjwHFUVK6HTjWSzV4a8sQ==} - requiresBuild: true - dev: false + console-control-strings@1.1.0: optional: true - /content-disposition@0.5.4: - resolution: {integrity: sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==} - engines: {node: '>= 0.6'} + content-disposition@0.5.4: dependencies: safe-buffer: 5.2.1 - dev: false - /content-hash@2.5.2: - resolution: {integrity: sha512-FvIQKy0S1JaWV10sMsA7TRx8bpU+pqPkhbsfvOJAdjRXvYxEckAwQWGwtRjiaJfh+E0DvcWUGqcdjwMGFjsSdw==} + content-hash@2.5.2: dependencies: cids: 0.7.5 multicodec: 0.5.7 multihashes: 0.4.21 - dev: false - /content-type@1.0.5: - resolution: {integrity: sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==} - engines: {node: '>= 0.6'} - dev: false + content-type@1.0.5: {} - /cookie-signature@1.0.6: - resolution: {integrity: sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==} - dev: false + cookie-signature@1.0.6: {} - /cookie@0.5.0: - resolution: {integrity: sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==} - engines: {node: '>= 0.6'} - dev: false + cookie@0.5.0: {} - /copy-to-clipboard@3.3.3: - resolution: {integrity: sha512-2KV8NhB5JqC3ky0r9PMCAZKbUHSwtEo4CwCs0KXgruG43gX5PMqDEBbVU4OUzw2MuAWUfsuFmWvEKG5QRfSnJA==} + copy-to-clipboard@3.3.3: dependencies: toggle-selection: 1.0.6 - dev: false - /core-util-is@1.0.2: - resolution: {integrity: sha512-3lqz5YjWTYnW6dlDa5TLaTCcShfar1e40rmcJVwCBJC6mWlFuj0eCHIElmG1g5kyuJ/GD+8Wn4FFCcz4gJPfaQ==} - dev: false + core-util-is@1.0.2: {} - /cors@2.8.5: - resolution: {integrity: sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==} - engines: {node: '>= 0.10'} + cors@2.8.5: dependencies: object-assign: 4.1.1 vary: 1.1.2 - dev: false - /crc-32@1.2.2: - resolution: {integrity: sha512-ROmzCKrTnOwybPcJApAA6WBWij23HVfGVNKqqrZpuyZOHqK2CwHSvpGuyt/UNNvaIjEd8X5IFGp4Mh+Ie1IHJQ==} - engines: {node: '>=0.8'} - hasBin: true - dev: false + crc-32@1.2.2: {} - /create-hash@1.2.0: - resolution: {integrity: sha512-z00bCGNHDG8mHAkP7CtT1qVu+bFQUPjYq/4Iv3C3kWjTFV10zIjfSoeqXo9Asws8gwSHDGj/hl2u4OGIjapeCg==} + create-hash@1.2.0: dependencies: cipher-base: 1.0.4 inherits: 2.0.4 md5.js: 1.3.5 ripemd160: 2.0.2 sha.js: 2.4.11 - dev: false - /create-hmac@1.1.7: - resolution: {integrity: sha512-MJG9liiZ+ogc4TzUwuvbER1JRdgvUFSB5+VR/g5h82fGaIRWMWddtKBHi7/sVhfjQZ6SehlyhvQYrcYkaUIpLg==} + create-hmac@1.1.7: dependencies: cipher-base: 1.0.4 create-hash: 1.2.0 @@ -6649,191 +10500,101 @@ packages: ripemd160: 2.0.2 safe-buffer: 5.2.1 sha.js: 2.4.11 - dev: false - /create-require@1.1.1: - resolution: {integrity: sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==} - dev: false + create-require@1.1.1: {} - /cross-fetch@4.0.0: - resolution: {integrity: sha512-e4a5N8lVvuLgAWgnCrLr2PP0YyDOTHa9H/Rj54dirp61qXnNq46m82bRhNqIA5VccJtWBvPTFRV3TtvHUKPB1g==} + cross-fetch@4.0.0: dependencies: node-fetch: 2.7.0 transitivePeerDependencies: - encoding - dev: false - /cross-spawn@7.0.3: - resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==} - engines: {node: '>= 8'} + cross-spawn@7.0.3: dependencies: path-key: 3.1.1 shebang-command: 2.0.0 which: 2.0.2 - /css-color-keywords@1.0.0: - resolution: {integrity: sha512-FyyrDHZKEjXDpNJYvVsV960FiqQyXc/LlYmsxl2BcdMb2WPx0OGRVgTg55rPSyLSNMqP52R9r8geSp7apN3Ofg==} - engines: {node: '>=4'} - dev: false + css-color-keywords@1.0.0: {} - /css-to-react-native@3.2.0: - resolution: {integrity: sha512-e8RKaLXMOFii+02mOlqwjbD00KSEKqblnpO9e++1aXS1fPQOpS1YoqdVHBqPjHNoxeF2mimzVqawm2KCbEdtHQ==} + css-to-react-native@3.2.0: dependencies: camelize: 1.0.1 css-color-keywords: 1.0.0 postcss-value-parser: 4.2.0 - dev: false - /css-tree@2.3.1: - resolution: {integrity: sha512-6Fv1DV/TYw//QF5IzQdqsNDjx/wc8TrMBZsqjL9eW01tWb7R7k/mq+/VXfJCl7SoD5emsJop9cOByJZfs8hYIw==} - engines: {node: ^10 || ^12.20.0 || ^14.13.0 || >=15.0.0} + css-tree@2.3.1: dependencies: mdn-data: 2.0.30 source-map-js: 1.2.0 - dev: false - /cssstyle@4.0.1: - resolution: {integrity: sha512-8ZYiJ3A/3OkDd093CBT/0UKDWry7ak4BdPTFP2+QEP7cmhouyq/Up709ASSj2cK02BbZiMgk7kYjZNS4QP5qrQ==} - engines: {node: '>=18'} + cssstyle@4.0.1: dependencies: rrweb-cssom: 0.6.0 - dev: false - /csstype@3.1.3: - resolution: {integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==} - dev: false + csstype@3.1.3: {} - /cuint@0.2.2: - resolution: {integrity: sha512-d4ZVpCW31eWwCMe1YT3ur7mUDnTXbgwyzaL320DrcRT45rfjYxkt5QWLrmOJ+/UEAI2+fQgKe/fCjR8l4TpRgw==} - dev: false + cuint@0.2.2: {} - /d@1.0.2: - resolution: {integrity: sha512-MOqHvMWF9/9MX6nza0KgvFH4HpMU0EF5uUDXqX/BtxtU8NfB0QzRtJ8Oe/6SuS4kbhyzVJwjd97EA4PKrzJ8bw==} - engines: {node: '>=0.12'} + d@1.0.2: dependencies: es5-ext: 0.10.64 type: 2.7.3 - dev: false - /dashdash@1.14.1: - resolution: {integrity: sha512-jRFi8UDGo6j+odZiEpjazZaWqEal3w/basFjQHQEwVtZJGDpxbH1MeYluwCS8Xq5wmLJooDlMgvVarmWfGM44g==} - engines: {node: '>=0.10'} + dashdash@1.14.1: dependencies: assert-plus: 1.0.0 - dev: false - /data-uri-to-buffer@4.0.1: - resolution: {integrity: sha512-0R9ikRb668HB7QDxT1vkpuUBtqc53YyAwMwGeUFKRojY/NWKvdZ+9UYtRfGmhqNbRkTSVpMbmyhXipFFv2cb/A==} - engines: {node: '>= 12'} - dev: false + data-uri-to-buffer@4.0.1: {} - /data-urls@5.0.0: - resolution: {integrity: sha512-ZYP5VBHshaDAiVZxjbRVcFJpc+4xGgT0bK3vzy1HLN8jTO975HEbuYzZJcHoQEY5K1a0z8YayJkyVETa08eNTg==} - engines: {node: '>=18'} + data-urls@5.0.0: dependencies: whatwg-mimetype: 4.0.0 whatwg-url: 14.0.0 - dev: false - /dateformat@4.6.3: - resolution: {integrity: sha512-2P0p0pFGzHS5EMnhdxQi7aJN+iMheud0UhG4dlE1DLAlvL8JHjJJTX/CSm4JXwV0Ka5nGk3zC5mcb5bUQUxxMA==} - dev: false + dateformat@4.6.3: {} - /dayjs@1.11.11: - resolution: {integrity: sha512-okzr3f11N6WuqYtZSvm+F776mB41wRZMhKP+hc34YdW+KmtYYK9iqvHSwo2k9FEH3fhGXvOPV6yz2IcSrfRUDg==} - dev: false + dayjs@1.11.11: {} - /debug@2.6.9: - resolution: {integrity: sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==} - peerDependencies: - supports-color: '*' - peerDependenciesMeta: - supports-color: - optional: true + debug@2.6.9: dependencies: ms: 2.0.0 - dev: false - /debug@4.3.4(supports-color@8.1.1): - resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==} - engines: {node: '>=6.0'} - peerDependencies: - supports-color: '*' - peerDependenciesMeta: - supports-color: - optional: true + debug@4.3.4(supports-color@8.1.1): dependencies: ms: 2.1.2 supports-color: 8.1.1 - dev: false - /debug@4.3.5: - resolution: {integrity: sha512-pt0bNEmneDIvdL1Xsd9oDQ/wrQRkXDT4AUWlNZNPKvW5x/jyO9VFXkJUP07vQ2upmw5PlaITaPKc31jK13V+jg==} - engines: {node: '>=6.0'} - peerDependencies: - supports-color: '*' - peerDependenciesMeta: - supports-color: - optional: true + debug@4.3.5: dependencies: ms: 2.1.2 - dev: false - /debug@4.3.7(supports-color@8.1.1): - resolution: {integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==} - engines: {node: '>=6.0'} - peerDependencies: - supports-color: '*' - peerDependenciesMeta: - supports-color: - optional: true + debug@4.3.7(supports-color@8.1.1): dependencies: ms: 2.1.3 supports-color: 8.1.1 - /decamelize@4.0.0: - resolution: {integrity: sha512-9iE1PgSik9HeIIw2JO94IidnE3eBoQrFJ3w7sFuzSX4DpmZ3v5sZpUiV5Swcf6mQEF+Y0ru8Neo+p+nyh2J+hQ==} - engines: {node: '>=10'} - dev: false + decamelize@4.0.0: {} - /decimal.js@10.4.3: - resolution: {integrity: sha512-VBBaLc1MgL5XpzgIP7ny5Z6Nx3UrRkIViUkPUdtl9aya5amy3De1gsUUSB1g3+3sExYNjCAsAznmukyxCb1GRA==} - dev: false + decimal.js@10.4.3: {} - /decode-uri-component@0.2.2: - resolution: {integrity: sha512-FqUYQ+8o158GyGTrMFJms9qh3CqTKvAqgqsTnkLI8sKu0028orqBhxNMFkFen0zGyg6epACD32pjVk58ngIErQ==} - engines: {node: '>=0.10'} - dev: false + decode-uri-component@0.2.2: {} - /decompress-response@3.3.0: - resolution: {integrity: sha512-BzRPQuY1ip+qDonAOz42gRm/pg9F768C+npV/4JOsxRC2sq+Rlk+Q4ZCAsOhnIaMrgarILY+RMUIvMmmX1qAEA==} - engines: {node: '>=4'} + decompress-response@3.3.0: dependencies: mimic-response: 1.0.1 - dev: false - /decompress-response@6.0.0: - resolution: {integrity: sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==} - engines: {node: '>=10'} + decompress-response@6.0.0: dependencies: mimic-response: 3.1.0 - dev: false - /deep-eql@4.1.4: - resolution: {integrity: sha512-SUwdGfqdKOwxCPeVYjwSyRpJ7Z+fhpwIAtmCUdZIWZ/YP5R9WAsyuSgpLVDi9bjWoN2LXHNss/dk3urXtdQxGg==} - engines: {node: '>=6'} + deep-eql@4.1.4: dependencies: type-detect: 4.0.8 - dev: false - /deep-eql@5.0.2: - resolution: {integrity: sha512-h5k/5U50IJJFpzfL6nO9jaaumfjO/f2NjK/oYB2Djzm4p9L+3T9qWpZqZ2hAbLPuuYq9wrU08WQyBTL5GbPk5Q==} - engines: {node: '>=6'} - dev: false + deep-eql@5.0.2: {} - /deep-equal@2.2.3: - resolution: {integrity: sha512-ZIwpnevOurS8bpT4192sqAowWM76JDKSHYzMLty3BZGSswgq6pBaH3DhCSW5xVAZICZyKdOBPjwww5wfgT/6PA==} - engines: {node: '>= 0.4'} + deep-equal@2.2.3: dependencies: array-buffer-byte-length: 1.0.1 call-bind: 1.0.7 @@ -6853,165 +10614,91 @@ packages: which-boxed-primitive: 1.0.2 which-collection: 1.0.2 which-typed-array: 1.1.15 - dev: false - /deep-extend@0.6.0: - resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==} - engines: {node: '>=4.0.0'} - dev: false + deep-extend@0.6.0: {} - /deep-is@0.1.4: - resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==} - dev: true + deep-is@0.1.4: {} - /defaults@1.0.4: - resolution: {integrity: sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==} + defaults@1.0.4: dependencies: clone: 1.0.4 - dev: false - /defer-to-connect@2.0.1: - resolution: {integrity: sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==} - engines: {node: '>=10'} - dev: false + defer-to-connect@2.0.1: {} - /deferred-leveldown@5.3.0: - resolution: {integrity: sha512-a59VOT+oDy7vtAbLRCZwWgxu2BaCfd5Hk7wxJd48ei7I+nsg8Orlb9CLG0PMZienk9BSUKgeAqkO2+Lw+1+Ukw==} - engines: {node: '>=6'} + deferred-leveldown@5.3.0: dependencies: abstract-leveldown: 6.2.3 inherits: 2.0.4 - dev: false - /define-data-property@1.1.1: - resolution: {integrity: sha512-E7uGkTzkk1d0ByLeSc6ZsFS79Axg+m1P/VsgYsxHgiuc3tFSj+MjMIwe90FC4lOAZzNBdY7kkO2P2wKdsQ1vgQ==} - engines: {node: '>= 0.4'} + define-data-property@1.1.1: dependencies: get-intrinsic: 1.2.2 gopd: 1.0.1 has-property-descriptors: 1.0.1 - dev: false - /define-data-property@1.1.4: - resolution: {integrity: sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==} - engines: {node: '>= 0.4'} + define-data-property@1.1.4: dependencies: es-define-property: 1.0.0 es-errors: 1.3.0 gopd: 1.0.1 - dev: false - /define-properties@1.2.1: - resolution: {integrity: sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==} - engines: {node: '>= 0.4'} + define-properties@1.2.1: dependencies: define-data-property: 1.1.4 has-property-descriptors: 1.0.2 object-keys: 1.1.1 - dev: false - /define-property@1.0.0: - resolution: {integrity: sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==} - engines: {node: '>=0.10.0'} + define-property@1.0.0: dependencies: is-descriptor: 1.0.3 - dev: false - /delayed-stream@1.0.0: - resolution: {integrity: sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==} - engines: {node: '>=0.4.0'} - dev: false + delayed-stream@1.0.0: {} - /delegates@1.0.0: - resolution: {integrity: sha512-bd2L678uiWATM6m5Z1VzNCErI3jiGzt6HGY8OVICs40JQq/HALfbyNJmp0UDakEY4pMMaN0Ly5om/B1VI/+xfQ==} - requiresBuild: true - dev: false + delegates@1.0.0: optional: true - /depd@2.0.0: - resolution: {integrity: sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==} - engines: {node: '>= 0.8'} - dev: false + depd@2.0.0: {} - /destroy@1.2.0: - resolution: {integrity: sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==} - engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16} - dev: false + destroy@1.2.0: {} - /detect-libc@2.0.3: - resolution: {integrity: sha512-bwy0MGW55bG41VqxxypOsdSdGqLwXPI/focwgTYCFMbdUiBAxLg9CFzG08sz2aqzknwiX7Hkl0bQENjg8iLByw==} - engines: {node: '>=8'} - dev: false + detect-libc@2.0.3: {} - /detect-node@2.1.0: - resolution: {integrity: sha512-T0NIuQpnTvFDATNuHN5roPwSBG83rFsuO+MXXH9/3N1eFbn4wcPjttvjMLEPWJ0RGUYgQE7cGgS3tNxbqCGM7g==} - dev: false + detect-node@2.1.0: {} - /diff-match-patch@1.0.5: - resolution: {integrity: sha512-IayShXAgj/QMXgB0IWmKx+rOPuGMhqm5w6jvFxmVenXKIzRqTAAsbBPT3kWQeGANj3jGgvcvv4yK6SxqYmikgw==} - dev: false + diff-match-patch@1.0.5: {} - /diff@4.0.2: - resolution: {integrity: sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==} - engines: {node: '>=0.3.1'} - dev: false + diff@4.0.2: {} - /diff@5.0.0: - resolution: {integrity: sha512-/VTCrvm5Z0JGty/BWHljh+BAiw3IK+2j87NGMu8Nwc/f48WoDAC395uomO9ZD117ZOBaHmkX1oyLvkVM/aIT3w==} - engines: {node: '>=0.3.1'} - dev: false + diff@5.0.0: {} - /diff@5.2.0: - resolution: {integrity: sha512-uIFDxqpRZGZ6ThOk84hEfqWoHx2devRFvpTZcTHur85vImfaxUbTW9Ryh4CpCuDnToOP1CEtXKIgytHBPVff5A==} - engines: {node: '>=0.3.1'} - dev: false + diff@5.2.0: {} - /dir-glob@3.0.1: - resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==} - engines: {node: '>=8'} + dir-glob@3.0.1: dependencies: path-type: 4.0.0 - dev: true - /doctrine@3.0.0: - resolution: {integrity: sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==} - engines: {node: '>=6.0.0'} + doctrine@3.0.0: dependencies: esutils: 2.0.3 - dev: true - /dom-walk@0.1.2: - resolution: {integrity: sha512-6QvTW9mrGeIegrFXdtQi9pk7O/nSK6lSdXW2eqUspN5LWD7UTji2Fqw5V2YLjBpHEoU9Xl/eUWNpDeZvoyOv2w==} - dev: false + dom-walk@0.1.2: {} - /dotenv@16.4.5: - resolution: {integrity: sha512-ZmdL2rui+eB2YwhsWzjInR8LldtZHGDoQ1ugH85ppHKwpUHL7j7rN0Ti9NCnGiQbhaZ11FpR+7ao1dNsmduNUg==} - engines: {node: '>=12'} - dev: false + dotenv@16.4.5: {} - /eastasianwidth@0.2.0: - resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==} - dev: false + eastasianwidth@0.2.0: {} - /ecc-jsbn@0.1.2: - resolution: {integrity: sha512-eh9O+hwRHNbG4BLTjEl3nw044CkGm5X6LoaCf7LPp7UU8Qrt47JYNi6nPX8xjW97TKGKm1ouctg0QSpZe9qrnw==} + ecc-jsbn@0.1.2: dependencies: jsbn: 0.1.1 safer-buffer: 2.1.2 - dev: false - /ed2curve@0.3.0: - resolution: {integrity: sha512-8w2fmmq3hv9rCrcI7g9hms2pMunQr1JINfcjwR9tAyZqhtyaMN991lF/ZfHfr5tzZQ8c7y7aBgZbjfbd0fjFwQ==} + ed2curve@0.3.0: dependencies: tweetnacl: 1.0.3 - dev: false - /ee-first@1.1.1: - resolution: {integrity: sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==} - dev: false + ee-first@1.1.1: {} - /elliptic@6.5.4: - resolution: {integrity: sha512-iLhC6ULemrljPZb+QutR5TQGB+pdW6KGD5RSegS+8sorOZT+rdQFbsQFJgvN3eRqNALqJer4oQ16YvJHlU8hzQ==} + elliptic@6.5.4: dependencies: bn.js: 4.12.0 brorand: 1.1.0 @@ -7020,10 +10707,8 @@ packages: inherits: 2.0.4 minimalistic-assert: 1.0.1 minimalistic-crypto-utils: 1.0.1 - dev: false - /elliptic@6.5.5: - resolution: {integrity: sha512-7EjbcmUm17NQFu4Pmgmq2olYMj8nwMnpcddByChSUjArp8F5DQWcIcpriwO4ZToLNAJig0yiyjswfyGNje/ixw==} + elliptic@6.5.5: dependencies: bn.js: 4.12.0 brorand: 1.1.0 @@ -7032,87 +10717,50 @@ packages: inherits: 2.0.4 minimalistic-assert: 1.0.1 minimalistic-crypto-utils: 1.0.1 - dev: false - /emoji-regex@8.0.0: - resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==} + emoji-regex@8.0.0: {} - /emoji-regex@9.2.2: - resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==} - dev: false + emoji-regex@9.2.2: {} - /encodeurl@1.0.2: - resolution: {integrity: sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==} - engines: {node: '>= 0.8'} - dev: false + encodeurl@1.0.2: {} - /encoding-down@6.3.0: - resolution: {integrity: sha512-QKrV0iKR6MZVJV08QY0wp1e7vF6QbhnbQhb07bwpEyuz4uZiZgPlEGdkCROuFkUwdxlFaiPIhjyarH1ee/3vhw==} - engines: {node: '>=6'} + encoding-down@6.3.0: dependencies: abstract-leveldown: 6.3.0 inherits: 2.0.4 level-codec: 9.0.2 level-errors: 2.0.1 - dev: false - /encoding@0.1.13: - resolution: {integrity: sha512-ETBauow1T35Y/WZMkio9jiM0Z5xjHHmJ4XmjZOq1l/dXz3lr2sRn87nJy20RupqSh1F2m3HHPSp8ShIPQJrJ3A==} - requiresBuild: true + encoding@0.1.13: dependencies: iconv-lite: 0.6.3 - dev: false optional: true - /end-of-stream@1.4.4: - resolution: {integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==} + end-of-stream@1.4.4: dependencies: once: 1.4.0 - dev: false - /entities@4.5.0: - resolution: {integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==} - engines: {node: '>=0.12'} - dev: false + entities@4.5.0: {} - /env-paths@2.2.1: - resolution: {integrity: sha512-+h1lkLKhZMTYjog1VEpJNG7NZJWcuc2DDk/qsqSTRRCOXiLjeQ1d1/udrUGhqMxUgAlwKNZ0cf2uqan5GLuS2A==} - engines: {node: '>=6'} - requiresBuild: true - dev: false + env-paths@2.2.1: optional: true - /err-code@2.0.3: - resolution: {integrity: sha512-2bmlRpNKBxT/CRmPOlyISQpNj+qSeYvcym/uT0Jx2bMOlKLtSy1ZmLuVxSEKKyor/N5yhvp/ZiG1oE3DEYMSFA==} - requiresBuild: true - dev: false + err-code@2.0.3: optional: true - /err-code@3.0.1: - resolution: {integrity: sha512-GiaH0KJUewYok+eeY05IIgjtAe4Yltygk9Wqp1V5yVWLdhf0hYZchRjNIT9bb0mSwRcIusT3cx7PJUf3zEIfUA==} - dev: false + err-code@3.0.1: {} - /errno@0.1.8: - resolution: {integrity: sha512-dJ6oBr5SQ1VSd9qkk7ByRgb/1SH4JZjCHSW/mr63/QcXO9zLVxvJ6Oy13nio03rxpSnVDDjFor75SjVeZWPW/A==} - hasBin: true + errno@0.1.8: dependencies: prr: 1.0.1 - dev: false - /es-define-property@1.0.0: - resolution: {integrity: sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==} - engines: {node: '>= 0.4'} + es-define-property@1.0.0: dependencies: get-intrinsic: 1.2.4 - dev: false - /es-errors@1.3.0: - resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==} - engines: {node: '>= 0.4'} - dev: false + es-errors@1.3.0: {} - /es-get-iterator@1.1.3: - resolution: {integrity: sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==} + es-get-iterator@1.1.3: dependencies: call-bind: 1.0.7 get-intrinsic: 1.2.4 @@ -7123,57 +10771,37 @@ packages: is-string: 1.0.7 isarray: 2.0.5 stop-iteration-iterator: 1.0.0 - dev: false - /es5-ext@0.10.64: - resolution: {integrity: sha512-p2snDhiLaXe6dahss1LddxqEm+SkuDvV8dnIQG0MWjyHpcMNfXKPE+/Cc0y+PhxJX3A4xGNeFCj5oc0BUh6deg==} - engines: {node: '>=0.10'} - requiresBuild: true + es5-ext@0.10.64: dependencies: es6-iterator: 2.0.3 es6-symbol: 3.1.4 esniff: 2.0.1 next-tick: 1.1.0 - dev: false - /es6-error@4.1.1: - resolution: {integrity: sha512-Um/+FxMr9CISWh0bi5Zv0iOD+4cFh5qLeks1qhAopKVAJw3drgKbKySikp7wGhDL0HPeaja0P5ULZrxLkniUVg==} - dev: false + es6-error@4.1.1: {} - /es6-iterator@2.0.3: - resolution: {integrity: sha512-zw4SRzoUkd+cl+ZoE15A9o1oQd920Bb0iOJMQkQhl3jNc03YqVjAhG7scf9C5KWRU/R13Orf588uCC6525o02g==} + es6-iterator@2.0.3: dependencies: d: 1.0.2 es5-ext: 0.10.64 es6-symbol: 3.1.4 - dev: false - /es6-promise@4.2.8: - resolution: {integrity: sha512-HJDGx5daxeIvxdBxvG2cb9g4tEvwIk3i8+nhX0yGrYmZUzbkdg8QbDevheDB8gd0//uPj4c1EQua8Q+MViT0/w==} - dev: false + es6-promise@4.2.8: {} - /es6-symbol@3.1.4: - resolution: {integrity: sha512-U9bFFjX8tFiATgtkJ1zg25+KviIXpgRvRHS8sau3GfhVzThRQrOeksPeT0BWW2MNZs1OEWJ1DPXOQMn0KKRkvg==} - engines: {node: '>=0.12'} + es6-symbol@3.1.4: dependencies: d: 1.0.2 ext: 1.7.0 - dev: false - /es6-weak-map@2.0.3: - resolution: {integrity: sha512-p5um32HOTO1kP+w7PRnB+5lQ43Z6muuMuIMffvDN8ZB4GcnjLBV6zGStpbASIMk4DCAvEaamhe2zhyCb/QXXsA==} + es6-weak-map@2.0.3: dependencies: d: 1.0.2 es5-ext: 0.10.64 es6-iterator: 2.0.3 es6-symbol: 3.1.4 - dev: false - /esbuild@0.19.12: - resolution: {integrity: sha512-aARqgq8roFBj054KvQr5f1sFu0D65G+miZRCuJyJ0G13Zwx7vRar5Zhn2tkQNzIXcBrNVsv/8stehpj+GAjgbg==} - engines: {node: '>=12'} - hasBin: true - requiresBuild: true + esbuild@0.19.12: optionalDependencies: '@esbuild/aix-ppc64': 0.19.12 '@esbuild/android-arm': 0.19.12 @@ -7198,13 +10826,8 @@ packages: '@esbuild/win32-arm64': 0.19.12 '@esbuild/win32-ia32': 0.19.12 '@esbuild/win32-x64': 0.19.12 - dev: false - /esbuild@0.21.5: - resolution: {integrity: sha512-mg3OPMV4hXywwpoDxu3Qda5xCKQi+vCTZq8S9J/EpkhB2HzKXq4SNFZE3+NK93JYxc8VMSep+lOUSC/RVKaBqw==} - engines: {node: '>=12'} - hasBin: true - requiresBuild: true + esbuild@0.21.5: optionalDependencies: '@esbuild/aix-ppc64': 0.21.5 '@esbuild/android-arm': 0.21.5 @@ -7229,66 +10852,33 @@ packages: '@esbuild/win32-arm64': 0.21.5 '@esbuild/win32-ia32': 0.21.5 '@esbuild/win32-x64': 0.21.5 - dev: false - /escalade@3.1.1: - resolution: {integrity: sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==} - engines: {node: '>=6'} + escalade@3.1.1: {} - /escape-html@1.0.3: - resolution: {integrity: sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==} - dev: false + escape-html@1.0.3: {} - /escape-latex@1.2.0: - resolution: {integrity: sha512-nV5aVWW1K0wEiUIEdZ4erkGGH8mDxGyxSeqPzRNtWP7ataw+/olFObw7hujFWlVjNsaDFw5VZ5NzVSIqRgfTiw==} - dev: false + escape-latex@1.2.0: {} - /escape-string-regexp@4.0.0: - resolution: {integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==} - engines: {node: '>=10'} + escape-string-regexp@4.0.0: {} - /escape-string-regexp@5.0.0: - resolution: {integrity: sha512-/veY75JbMK4j1yjvuUxuVsiS/hr/4iHs9FTT6cgTexxdE0Ly/glccBAkloH/DofkjRbZU3bnoj38mOmhkZ0lHw==} - engines: {node: '>=12'} - dev: false + escape-string-regexp@5.0.0: {} - /eslint-plugin-unused-imports@3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0): - resolution: {integrity: sha512-9l1YFCzXKkw1qtAru1RWUtG2EVDZY0a0eChKXcL+EZ5jitG7qxdctu4RnvhOJHv4xfmUf7h+JJPINlVpGhZMrw==} - engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} - peerDependencies: - '@typescript-eslint/eslint-plugin': 6 - 7 - eslint: '8' - peerDependenciesMeta: - '@typescript-eslint/eslint-plugin': - optional: true + eslint-plugin-unused-imports@3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0): dependencies: '@typescript-eslint/eslint-plugin': 7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2) eslint: 8.57.0 eslint-rule-composer: 0.3.0 - dev: true - /eslint-rule-composer@0.3.0: - resolution: {integrity: sha512-bt+Sh8CtDmn2OajxvNO+BX7Wn4CIWMpTRm3MaiKPCQcnnlm0CS2mhui6QaoeQugs+3Kj2ESKEEGJUdVafwhiCg==} - engines: {node: '>=4.0.0'} - dev: true + eslint-rule-composer@0.3.0: {} - /eslint-scope@7.2.2: - resolution: {integrity: sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==} - engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + eslint-scope@7.2.2: dependencies: esrecurse: 4.3.0 estraverse: 5.3.0 - dev: true - /eslint-visitor-keys@3.4.3: - resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==} - engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} - dev: true + eslint-visitor-keys@3.4.3: {} - /eslint@8.57.0: - resolution: {integrity: sha512-dZ6+mexnaTIbSBZWgou51U6OmzIhYM2VcNdtiTtI7qPNZm35Akpr0f6vtw3w1Kmn5PYo+tZVfh13WrhpS6oLqQ==} - engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} - hasBin: true + eslint@8.57.0: dependencies: '@eslint-community/eslint-utils': 4.4.0(eslint@8.57.0) '@eslint-community/regexpp': 4.11.0 @@ -7330,75 +10920,46 @@ packages: text-table: 0.2.0 transitivePeerDependencies: - supports-color - dev: true - /esniff@2.0.1: - resolution: {integrity: sha512-kTUIGKQ/mDPFoJ0oVfcmyJn4iBDRptjNVIzwIFR7tqWXdVI9xfA2RMwY/gbSpJG3lkdWNEjLap/NqVHZiJsdfg==} - engines: {node: '>=0.10'} + esniff@2.0.1: dependencies: d: 1.0.2 es5-ext: 0.10.64 event-emitter: 0.3.5 type: 2.7.3 - dev: false - /espree@9.6.1: - resolution: {integrity: sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==} - engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + espree@9.6.1: dependencies: acorn: 8.12.1 acorn-jsx: 5.3.2(acorn@8.12.1) eslint-visitor-keys: 3.4.3 - dev: true - /esquery@1.5.0: - resolution: {integrity: sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==} - engines: {node: '>=0.10'} + esquery@1.5.0: dependencies: estraverse: 5.3.0 - dev: true - /esrecurse@4.3.0: - resolution: {integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==} - engines: {node: '>=4.0'} + esrecurse@4.3.0: dependencies: estraverse: 5.3.0 - dev: true - /estraverse@5.3.0: - resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==} - engines: {node: '>=4.0'} - dev: true + estraverse@5.3.0: {} - /estree-walker@2.0.2: - resolution: {integrity: sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==} - dev: false + estree-walker@2.0.2: {} - /estree-walker@3.0.3: - resolution: {integrity: sha512-7RUKfXgSMMkzt6ZuXmqapOurLGPPfgj6l9uRZ7lRGolvk0y2yocc35LdcxKC5PQZdn2DMqioAQ2NoWcrTKmm6g==} + estree-walker@3.0.3: dependencies: '@types/estree': 1.0.5 - dev: false - /esutils@2.0.3: - resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==} - engines: {node: '>=0.10.0'} - dev: true + esutils@2.0.3: {} - /etag@1.8.1: - resolution: {integrity: sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==} - engines: {node: '>= 0.6'} - dev: false + etag@1.8.1: {} - /eth-ens-namehash@2.0.8: - resolution: {integrity: sha512-VWEI1+KJfz4Km//dadyvBBoBeSQ0MHTXPvr8UIXiLW6IanxvAV+DmlZAijZwAyggqGUfwQBeHf7tc9wzc1piSw==} + eth-ens-namehash@2.0.8: dependencies: idna-uts46-hx: 2.3.1 js-sha3: 0.5.7 - dev: false - /eth-lib@0.1.29: - resolution: {integrity: sha512-bfttrr3/7gG4E02HoWTDUcDDslN003OlOoBxk9virpAZQ1ja/jDgwkWB8QfJF7ojuEowrqy+lzp9VcJG7/k5bQ==} + eth-lib@0.1.29: dependencies: bn.js: 4.12.0 elliptic: 6.5.5 @@ -7410,30 +10971,40 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /eth-lib@0.2.8: - resolution: {integrity: sha512-ArJ7x1WcWOlSpzdoTBX8vkwlkSQ85CjjifSZtV4co64vWxSV8geWfPI9x4SVYu3DSxnX4yWFVTtGL+j9DUFLNw==} + eth-lib@0.2.8: dependencies: bn.js: 4.12.0 elliptic: 6.5.5 xhr-request-promise: 0.1.3 - dev: false - /ethereum-blockies-base64@1.0.2: - resolution: {integrity: sha512-Vg2HTm7slcWNKaRhCUl/L3b4KrB8ohQXdd5Pu3OI897EcR6tVRvUqdTwAyx+dnmoDzj8e2bwBLDQ50ByFmcz6w==} + eth-object@https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06: + dependencies: + eth-util-lite: https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7 + ethereumjs-util: 7.1.5 + web3: 1.10.4 + transitivePeerDependencies: + - bufferutil + - encoding + - supports-color + - utf-8-validate + + eth-util-lite@https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7: + dependencies: + bn.js: 4.12.0 + js-sha3: 0.8.0 + rlp: 2.2.7 + safe-buffer: 5.2.1 + + ethereum-blockies-base64@1.0.2: dependencies: pnglib: 0.0.1 - dev: false - /ethereum-bloom-filters@1.0.10: - resolution: {integrity: sha512-rxJ5OFN3RwjQxDcFP2Z5+Q9ho4eIdEmSc2ht0fCu8Se9nbXjZ7/031uXoUYJ87KHCOdVeiUuwSnoS7hmYAGVHA==} + ethereum-bloom-filters@1.0.10: dependencies: js-sha3: 0.8.0 - dev: false - /ethereum-cryptography@0.1.3: - resolution: {integrity: sha512-w8/4x1SGGzc+tO97TASLja6SLd3fRIK2tLVcV2Gx4IB21hE19atll5Cq9o3d0ZmAYC/8aw0ipieTSiekAea4SQ==} + ethereum-cryptography@0.1.3: dependencies: '@types/pbkdf2': 3.1.2 '@types/secp256k1': 4.0.6 @@ -7450,31 +11021,23 @@ packages: scrypt-js: 3.0.1 secp256k1: 4.0.3 setimmediate: 1.0.5 - dev: false - /ethereum-cryptography@2.2.1: - resolution: {integrity: sha512-r/W8lkHSiTLxUxW8Rf3u4HGB0xQweG2RyETjywylKZSzLWoWAijRz8WCuOtJ6wah+avllXBqZuk29HCCvhEIRg==} + ethereum-cryptography@2.2.1: dependencies: '@noble/curves': 1.4.2 '@noble/hashes': 1.4.0 '@scure/bip32': 1.4.0 '@scure/bip39': 1.3.0 - dev: false - /ethereumjs-util@7.1.5: - resolution: {integrity: sha512-SDl5kKrQAudFBUe5OJM9Ac6WmMyYmXX/6sTmLZ3ffG2eY6ZIGBes3pEDxNN6V72WyOw4CPD5RomKdsa8DAAwLg==} - engines: {node: '>=10.0.0'} + ethereumjs-util@7.1.5: dependencies: '@types/bn.js': 5.1.5 bn.js: 5.2.1 create-hash: 1.2.0 ethereum-cryptography: 0.1.3 rlp: 2.2.7 - dev: false - /ethers@6.13.1: - resolution: {integrity: sha512-hdJ2HOxg/xx97Lm9HdCWk949BfYqYWpyw4//78SiwOLgASyfrNszfMUNB2joKjvGUdwhHfaiMMFFwacVVoLR9A==} - engines: {node: '>=14.0.0'} + ethers@6.13.1: dependencies: '@adraffy/ens-normalize': 1.10.1 '@noble/curves': 1.2.0 @@ -7486,11 +11049,8 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false - /ethers@6.13.2: - resolution: {integrity: sha512-9VkriTTed+/27BGuY1s0hf441kqwHJ1wtN2edksEtiRvXx+soxRX3iSXTfFqq2+YwrOqbDoTHjIhQnjJRlzKmg==} - engines: {node: '>=14.0.0'} + ethers@6.13.2: dependencies: '@adraffy/ens-normalize': 1.10.1 '@noble/curves': 1.2.0 @@ -7502,55 +11062,33 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false - /ethjs-unit@0.1.6: - resolution: {integrity: sha512-/Sn9Y0oKl0uqQuvgFk/zQgR7aw1g36qX/jzSQ5lSwlO0GigPymk4eGQfeNTD03w1dPOqfz8V77Cy43jH56pagw==} - engines: {node: '>=6.5.0', npm: '>=3'} + ethjs-unit@0.1.6: dependencies: bn.js: 4.11.6 number-to-bn: 1.7.0 - dev: false - /event-emitter@0.3.5: - resolution: {integrity: sha512-D9rRn9y7kLPnJ+hMq7S/nhvoKwwvVJahBi2BPmx3bvbsEdK3W9ii8cBSGjP+72/LnM4n6fo3+dkCX5FeTQruXA==} + event-emitter@0.3.5: dependencies: d: 1.0.2 es5-ext: 0.10.64 - dev: false - /event-target-shim@5.0.1: - resolution: {integrity: sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ==} - engines: {node: '>=6'} - dev: false + event-target-shim@5.0.1: {} - /eventemitter3@4.0.4: - resolution: {integrity: sha512-rlaVLnVxtxvoyLsQQFBx53YmXHDxRIzzTLbdfxqi4yocpSjAxXwkU0cScM5JgSKMqEhrZpnvQ2D9gjylR0AimQ==} - dev: false + eventemitter3@4.0.4: {} - /eventemitter3@4.0.7: - resolution: {integrity: sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==} - dev: false + eventemitter3@4.0.7: {} - /eventemitter3@5.0.1: - resolution: {integrity: sha512-GWkBvjiSZK87ELrYOSESUYeVIc9mvLLf/nXalMOS5dYrgZq9o5OVkbZAVM06CVxYsCwH9BDZFPlQTlPA1j4ahA==} - dev: false + eventemitter3@5.0.1: {} - /events@3.3.0: - resolution: {integrity: sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==} - engines: {node: '>=0.8.x'} - dev: false + events@3.3.0: {} - /evp_bytestokey@1.0.3: - resolution: {integrity: sha512-/f2Go4TognH/KvCISP7OUsHn85hT9nUkxxA9BEWxFn+Oj9o8ZNLm/40hdlgSLyuOimsrTKLUMEorQexp/aPQeA==} + evp_bytestokey@1.0.3: dependencies: md5.js: 1.3.5 safe-buffer: 5.2.1 - dev: false - /execa@5.1.1: - resolution: {integrity: sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==} - engines: {node: '>=10'} + execa@5.1.1: dependencies: cross-spawn: 7.0.3 get-stream: 6.0.1 @@ -7561,16 +11099,10 @@ packages: onetime: 5.1.2 signal-exit: 3.0.7 strip-final-newline: 2.0.0 - dev: false - /expand-template@2.0.3: - resolution: {integrity: sha512-XYfuKMvj4O35f/pOXLObndIRvyQ+/+6AhODh+OKWj9S9498pHHn/IMszH+gt0fBCRWMNfk1ZSp5x3AifmnI2vg==} - engines: {node: '>=6'} - dev: false + expand-template@2.0.3: {} - /express@4.18.2: - resolution: {integrity: sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==} - engines: {node: '>= 0.10.0'} + express@4.18.2: dependencies: accepts: 1.3.8 array-flatten: 1.1.1 @@ -7605,134 +11137,78 @@ packages: vary: 1.1.2 transitivePeerDependencies: - supports-color - dev: false - /ext@1.7.0: - resolution: {integrity: sha512-6hxeJYaL110a9b5TEJSj0gojyHQAmA2ch5Os+ySCiA1QGdS697XWY1pzsrSjqA9LDEEgdB/KypIlR59RcLuHYw==} + ext@1.7.0: dependencies: type: 2.7.3 - dev: false - /extend@3.0.2: - resolution: {integrity: sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==} - dev: false + extend@3.0.2: {} - /external-editor@3.1.0: - resolution: {integrity: sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==} - engines: {node: '>=4'} + external-editor@3.1.0: dependencies: chardet: 0.7.0 iconv-lite: 0.4.24 tmp: 0.0.33 - dev: false - /extsprintf@1.3.0: - resolution: {integrity: sha512-11Ndz7Nv+mvAC1j0ktTa7fAb0vLyGGX+rMHNBYQviQDGU0Hw7lhctJANqbPhu9nV9/izT/IntTgZ7Im/9LJs9g==} - engines: {'0': node >=0.6.0} - dev: false + extsprintf@1.3.0: {} - /fast-copy@3.0.2: - resolution: {integrity: sha512-dl0O9Vhju8IrcLndv2eU4ldt1ftXMqqfgN4H1cpmGV7P6jeB9FwpN9a2c8DPGE1Ys88rNUJVYDHq73CGAGOPfQ==} - dev: false + fast-copy@3.0.2: {} - /fast-deep-equal@3.1.3: - resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==} + fast-deep-equal@3.1.3: {} - /fast-glob@3.3.2: - resolution: {integrity: sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==} - engines: {node: '>=8.6.0'} + fast-glob@3.3.2: dependencies: '@nodelib/fs.stat': 2.0.5 '@nodelib/fs.walk': 1.2.8 glob-parent: 5.1.2 merge2: 1.4.1 micromatch: 4.0.7 - dev: true - /fast-json-stable-stringify@2.1.0: - resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==} + fast-json-stable-stringify@2.1.0: {} - /fast-levenshtein@2.0.6: - resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==} - dev: true + fast-levenshtein@2.0.6: {} - /fast-redact@3.5.0: - resolution: {integrity: sha512-dwsoQlS7h9hMeYUq1W++23NDcBLV4KqONnITDV9DjfS3q1SgDGVrBdvvTLUotWtPSD7asWDV9/CmsZPy8Hf70A==} - engines: {node: '>=6'} - dev: false + fast-redact@3.5.0: {} - /fast-safe-stringify@2.1.1: - resolution: {integrity: sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==} - dev: false + fast-safe-stringify@2.1.1: {} - /fast-sha256@1.3.0: - resolution: {integrity: sha512-n11RGP/lrWEFI/bWdygLxhI+pVeo1ZYIVwvvPkW7azl/rOy+F3HYRZ2K5zeE9mmkhQppyv9sQFx0JM9UabnpPQ==} - dev: false + fast-sha256@1.3.0: {} - /fastq@1.17.1: - resolution: {integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==} + fastq@1.17.1: dependencies: reusify: 1.0.4 - dev: true - /fdir@6.3.0(picomatch@4.0.2): - resolution: {integrity: sha512-QOnuT+BOtivR77wYvCWHfGt9s4Pz1VIMbD463vegT5MLqNXy8rYFT/lPVEqf/bhYeT6qmqrNHhsX+rWwe3rOCQ==} - peerDependencies: - picomatch: ^3 || ^4 - peerDependenciesMeta: - picomatch: - optional: true + fdir@6.3.0(picomatch@4.0.2): dependencies: picomatch: 4.0.2 - dev: false - /fetch-blob@3.2.0: - resolution: {integrity: sha512-7yAQpD2UMJzLi1Dqv7qFYnPbaPx7ZfFK6PiIxQ4PfkGPyNyl2Ugx+a/umUonmKqjhM4DnfbMvdX6otXq83soQQ==} - engines: {node: ^12.20 || >= 14.13} + fetch-blob@3.2.0: dependencies: node-domexception: 1.0.0 web-streams-polyfill: 3.2.1 - dev: false - /fflate@0.8.2: - resolution: {integrity: sha512-cPJU47OaAoCbg0pBvzsgpTPhmhqI5eJjh/JIu8tPj5q+T7iLvW/JAYUqmE7KOB4R1ZyEhzBaIQpQpardBF5z8A==} - dev: false + fflate@0.8.2: {} - /fft-js@0.0.12: - resolution: {integrity: sha512-nLOa0/SYYnN2NPcLrI81UNSPxyg3q0sGiltfe9G1okg0nxs5CqAwtmaqPQdGcOryeGURaCoQx8Y4AUkhGTh7IQ==} - engines: {node: '>=0.12.0'} + fft-js@0.0.12: dependencies: bit-twiddle: 1.0.2 commander: 2.7.1 - dev: false - /file-entry-cache@6.0.1: - resolution: {integrity: sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==} - engines: {node: ^10.12.0 || >=12.0.0} + file-entry-cache@6.0.1: dependencies: flat-cache: 3.2.0 - dev: true - /file-uri-to-path@1.0.0: - resolution: {integrity: sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw==} - dev: false + file-uri-to-path@1.0.0: {} - /fill-range@7.0.1: - resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==} - engines: {node: '>=8'} + fill-range@7.0.1: dependencies: to-regex-range: 5.0.1 - dev: false - /fill-range@7.1.1: - resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==} - engines: {node: '>=8'} + fill-range@7.1.1: dependencies: to-regex-range: 5.0.1 - /finalhandler@1.2.0: - resolution: {integrity: sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==} - engines: {node: '>= 0.8'} + finalhandler@1.2.0: dependencies: debug: 2.6.9 encodeurl: 1.0.2 @@ -7743,167 +11219,95 @@ packages: unpipe: 1.0.0 transitivePeerDependencies: - supports-color - dev: false - /find-up@5.0.0: - resolution: {integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==} - engines: {node: '>=10'} + find-up@5.0.0: dependencies: locate-path: 6.0.0 path-exists: 4.0.0 - /flat-cache@3.2.0: - resolution: {integrity: sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==} - engines: {node: ^10.12.0 || >=12.0.0} + flat-cache@3.2.0: dependencies: flatted: 3.3.1 keyv: 4.5.4 rimraf: 3.0.2 - dev: true - /flat@5.0.2: - resolution: {integrity: sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ==} - hasBin: true - dev: false + flat@5.0.2: {} - /flatted@3.3.1: - resolution: {integrity: sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==} + flatted@3.3.1: {} - /follow-redirects@1.15.6(debug@4.3.7): - resolution: {integrity: sha512-wWN62YITEaOpSK584EZXJafH1AGpO8RVgElfkuXbTOrPX4fIfOyEpW/CsiNd8JdYrAoOvafRTOEnvsO++qCqFA==} - engines: {node: '>=4.0'} - peerDependencies: - debug: '*' - peerDependenciesMeta: - debug: - optional: true + follow-redirects@1.15.6(debug@4.3.7): dependencies: debug: 4.3.7(supports-color@8.1.1) - dev: false - /for-each@0.3.3: - resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==} + for-each@0.3.3: dependencies: is-callable: 1.2.7 - dev: false - /foreground-child@3.2.1: - resolution: {integrity: sha512-PXUUyLqrR2XCWICfv6ukppP96sdFwWbNEnfEMt7jNsISjMsvaLNinAHNDYyvkyU+SZG2BTSbT5NjG+vZslfGTA==} - engines: {node: '>=14'} + foreground-child@3.2.1: dependencies: cross-spawn: 7.0.3 signal-exit: 4.1.0 - dev: false - /forever-agent@0.6.1: - resolution: {integrity: sha512-j0KLYPhm6zeac4lz3oJ3o65qvgQCcPubiyotZrXqEaG4hNagNYO8qdlUrX5vwqv9ohqeT/Z3j6+yW067yWWdUw==} - dev: false + forever-agent@0.6.1: {} - /form-data-encoder@1.7.1: - resolution: {integrity: sha512-EFRDrsMm/kyqbTQocNvRXMLjc7Es2Vk+IQFx/YW7hkUH1eBl4J1fqiP34l74Yt0pFLCNpc06fkbVk00008mzjg==} - dev: false + form-data-encoder@1.7.1: {} - /form-data@2.3.3: - resolution: {integrity: sha512-1lLKB2Mu3aGP1Q/2eCOx0fNbRMe7XdwktwOruhfqqd0rIJWwN4Dh+E3hrPSlDCXnSR7UtZ1N38rVXm+6+MEhJQ==} - engines: {node: '>= 0.12'} + form-data@2.3.3: dependencies: asynckit: 0.4.0 combined-stream: 1.0.8 mime-types: 2.1.35 - dev: false - /form-data@4.0.0: - resolution: {integrity: sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==} - engines: {node: '>= 6'} + form-data@4.0.0: dependencies: asynckit: 0.4.0 combined-stream: 1.0.8 mime-types: 2.1.35 - dev: false - /formdata-polyfill@4.0.10: - resolution: {integrity: sha512-buewHzMvYL29jdeQTVILecSaZKnt/RJWjoZCF5OW60Z67/GmSLBkOFM7qh1PI3zFNtJbaZL5eQu1vLfazOwj4g==} - engines: {node: '>=12.20.0'} + formdata-polyfill@4.0.10: dependencies: fetch-blob: 3.2.0 - dev: false - /forwarded@0.2.0: - resolution: {integrity: sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==} - engines: {node: '>= 0.6'} - dev: false + forwarded@0.2.0: {} - /fraction.js@4.3.7: - resolution: {integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==} - dev: false + fraction.js@4.3.7: {} - /fresh@0.5.2: - resolution: {integrity: sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==} - engines: {node: '>= 0.6'} - dev: false + fresh@0.5.2: {} - /fs-constants@1.0.0: - resolution: {integrity: sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==} - dev: false + fs-constants@1.0.0: {} - /fs-extra@11.2.0: - resolution: {integrity: sha512-PmDi3uwK5nFuXh7XDTlVnS17xJS7vW36is2+w3xcv8SVxiB4NyATf4ctkVY5bkSjX0Y4nbvZCq1/EjtEyr9ktw==} - engines: {node: '>=14.14'} + fs-extra@11.2.0: dependencies: graceful-fs: 4.2.11 jsonfile: 6.1.0 universalify: 2.0.1 - dev: false - /fs-extra@4.0.3: - resolution: {integrity: sha512-q6rbdDd1o2mAnQreO7YADIxf/Whx4AHBiRf6d+/cVT8h44ss+lHgxf1FemcqDnQt9X3ct4McHr+JMGlYSsK7Cg==} + fs-extra@4.0.3: dependencies: graceful-fs: 4.2.11 jsonfile: 4.0.0 universalify: 0.1.2 - dev: false - /fs-minipass@1.2.7: - resolution: {integrity: sha512-GWSSJGFy4e9GUeCcbIkED+bgAoFyj7XF1mV8rma3QW4NIqX9Kyx79N/PF61H5udOV3aY1IaMLs6pGbH71nlCTA==} + fs-minipass@1.2.7: dependencies: minipass: 2.9.0 - dev: false - /fs-minipass@2.1.0: - resolution: {integrity: sha512-V/JgOLFCS+R6Vcq0slCuaeWEdNC3ouDlJMNIsacH2VtALiu9mV4LPrHc5cDl8k5aw6J8jwgWWpiTo5RYhmIzvg==} - engines: {node: '>= 8'} + fs-minipass@2.1.0: dependencies: minipass: 3.3.6 - dev: false - /fs.realpath@1.0.0: - resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==} + fs.realpath@1.0.0: {} - /fsevents@2.3.3: - resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==} - engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0} - os: [darwin] - requiresBuild: true - dev: false + fsevents@2.3.3: optional: true - /function-bind@1.1.2: - resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==} - dev: false + function-bind@1.1.2: {} - /functional-red-black-tree@1.0.1: - resolution: {integrity: sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==} - dev: false + functional-red-black-tree@1.0.1: {} - /functions-have-names@1.2.3: - resolution: {integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==} - dev: false + functions-have-names@1.2.3: {} - /gauge@4.0.4: - resolution: {integrity: sha512-f9m+BEN5jkg6a0fZjleidjN51VE1X+mPFQ2DJ0uv1V39oCLCbsGe6yjbBnp7eK7z/+GAon99a3nHuqbuuthyPg==} - engines: {node: ^12.13.0 || ^14.15.0 || >=16.0.0} - deprecated: This package is no longer supported. - requiresBuild: true + gauge@4.0.4: dependencies: aproba: 2.0.0 color-support: 1.1.3 @@ -7913,87 +11317,54 @@ packages: string-width: 4.2.3 strip-ansi: 6.0.1 wide-align: 1.1.5 - dev: false optional: true - /get-caller-file@2.0.5: - resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==} - engines: {node: 6.* || 8.* || >= 10.*} + get-caller-file@2.0.5: {} - /get-func-name@2.0.2: - resolution: {integrity: sha512-8vXOvuE167CtIc3OyItco7N/dpRtBbYOsPsXCz7X/PMnlGjYjSGuZJgM1Y7mmew7BKf9BqvLX2tnOVy1BBUsxQ==} - dev: false + get-func-name@2.0.2: {} - /get-intrinsic@1.2.2: - resolution: {integrity: sha512-0gSo4ml/0j98Y3lngkFEot/zhiCeWsbYIlZ+uZOVgzLyLaUw7wxUL+nCTP0XJvJg1AXulJRI3UJi8GsbDuxdGA==} + get-intrinsic@1.2.2: dependencies: function-bind: 1.1.2 has-proto: 1.0.1 has-symbols: 1.0.3 hasown: 2.0.0 - dev: false - /get-intrinsic@1.2.4: - resolution: {integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==} - engines: {node: '>= 0.4'} + get-intrinsic@1.2.4: dependencies: es-errors: 1.3.0 function-bind: 1.1.2 has-proto: 1.0.3 has-symbols: 1.0.3 hasown: 2.0.2 - dev: false - /get-port@7.1.0: - resolution: {integrity: sha512-QB9NKEeDg3xxVwCCwJQ9+xycaz6pBB6iQ76wiWMl1927n0Kir6alPiP+yuiICLLU4jpMe08dXfpebuQppFA2zw==} - engines: {node: '>=16'} - dev: false + get-port@7.1.0: {} - /get-stream@5.2.0: - resolution: {integrity: sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==} - engines: {node: '>=8'} + get-stream@5.2.0: dependencies: pump: 3.0.0 - dev: false - /get-stream@6.0.1: - resolution: {integrity: sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==} - engines: {node: '>=10'} - dev: false + get-stream@6.0.1: {} - /get-tsconfig@4.7.5: - resolution: {integrity: sha512-ZCuZCnlqNzjb4QprAzXKdpp/gh6KTxSJuw3IBsPnV/7fV4NxC9ckB+vPTt8w7fJA0TaSD7c55BR47JD6MEDyDw==} + get-tsconfig@4.7.5: dependencies: resolve-pkg-maps: 1.0.0 - dev: false - /getpass@0.1.7: - resolution: {integrity: sha512-0fzj9JxOLfJ+XGLhR8ze3unN0KZCgZwiSSDz168VERjK8Wl8kVSdcu2kspd4s4wtAa1y/qrVRiAA0WclVsu0ng==} + getpass@0.1.7: dependencies: assert-plus: 1.0.0 - dev: false - /github-from-package@0.0.0: - resolution: {integrity: sha512-SyHy3T1v2NUXn29OsWdxmK6RwHD+vkj3v8en8AOBZ1wBQ/hCAQ5bAQTD02kW4W9tUp/3Qh6J8r9EvntiyCmOOw==} - dev: false + github-from-package@0.0.0: {} - /glob-parent@5.1.2: - resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==} - engines: {node: '>= 6'} + glob-parent@5.1.2: dependencies: is-glob: 4.0.3 - /glob-parent@6.0.2: - resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==} - engines: {node: '>=10.13.0'} + glob-parent@6.0.2: dependencies: is-glob: 4.0.3 - dev: true - /glob@10.4.2: - resolution: {integrity: sha512-GwMlUF6PkPo3Gk21UxkCohOv0PLcIXVtKyLlpEI28R/cO/4eNOdmLk3CMW1wROV/WR/EsZOWAfBbBOqYvs88/w==} - engines: {node: '>=16 || 14 >=14.18'} - hasBin: true + glob@10.4.2: dependencies: foreground-child: 3.2.1 jackspeak: 3.4.0 @@ -8001,10 +11372,8 @@ packages: minipass: 7.1.2 package-json-from-dist: 1.0.0 path-scurry: 1.11.1 - dev: false - /glob@7.2.0: - resolution: {integrity: sha512-lmLf6gtyrPq8tTjSmrO94wBeQbFR3HbLHbuyD69wuyQkImp2hWqMGB47OX65FBkPffO641IP9jWa1z4ivqG26Q==} + glob@7.2.0: dependencies: fs.realpath: 1.0.0 inflight: 1.0.6 @@ -8012,12 +11381,8 @@ packages: minimatch: 3.1.2 once: 1.4.0 path-is-absolute: 1.0.1 - dev: false - /glob@7.2.3: - resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==} - deprecated: Glob versions prior to v9 are no longer supported - requiresBuild: true + glob@7.2.3: dependencies: fs.realpath: 1.0.0 inflight: 1.0.6 @@ -8026,21 +11391,15 @@ packages: once: 1.4.0 path-is-absolute: 1.0.1 - /glob@8.1.0: - resolution: {integrity: sha512-r8hpEjiQEYlF2QU0df3dS+nxxSIreXQS1qRhMJM0Q5NDdR386C7jb7Hwwod8Fgiuex+k0GFjgft18yvxm5XoCQ==} - engines: {node: '>=12'} - deprecated: Glob versions prior to v9 are no longer supported + glob@8.1.0: dependencies: fs.realpath: 1.0.0 inflight: 1.0.6 inherits: 2.0.4 minimatch: 5.1.6 once: 1.4.0 - dev: false - /global-agent@3.0.0: - resolution: {integrity: sha512-PT6XReJ+D07JvGoxQMkT6qji/jVNfX/h364XHZOWeRzy64sSFr+xJ5OX7LI3b4MPQzdL4H8Y8M0xzPpsVMwA8Q==} - engines: {node: '>=10.0'} + global-agent@3.0.0: dependencies: boolean: 3.2.0 es6-error: 4.1.1 @@ -8048,33 +11407,22 @@ packages: roarr: 2.15.4 semver: 7.6.3 serialize-error: 7.0.1 - dev: false - /global@4.4.0: - resolution: {integrity: sha512-wv/LAoHdRE3BeTGz53FAamhGlPLhlssK45usmGFThIi4XqnBmjKQ16u+RNbP7WvigRZDxUsM0J3gcQ5yicaL0w==} + global@4.4.0: dependencies: min-document: 2.19.0 process: 0.11.10 - dev: false - /globals@13.24.0: - resolution: {integrity: sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==} - engines: {node: '>=8'} + globals@13.24.0: dependencies: type-fest: 0.20.2 - dev: true - /globalthis@1.0.4: - resolution: {integrity: sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==} - engines: {node: '>= 0.4'} + globalthis@1.0.4: dependencies: define-properties: 1.2.1 gopd: 1.0.1 - dev: false - /globby@11.1.0: - resolution: {integrity: sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==} - engines: {node: '>=10'} + globby@11.1.0: dependencies: array-union: 2.1.0 dir-glob: 3.0.1 @@ -8082,17 +11430,12 @@ packages: ignore: 5.3.1 merge2: 1.4.1 slash: 3.0.0 - dev: true - /gopd@1.0.1: - resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==} + gopd@1.0.1: dependencies: get-intrinsic: 1.2.2 - dev: false - /got@11.8.6: - resolution: {integrity: sha512-6tfZ91bOr7bOXnK7PRDCGBLa1H4U080YHNaAQ2KsMGlLEzRbk44nsZF2E1IeRc3vtJHPVbKCYgdFbaGO2ljd8g==} - engines: {node: '>=10.19.0'} + got@11.8.6: dependencies: '@sindresorhus/is': 4.6.0 '@szmarczak/http-timer': 4.0.6 @@ -8105,11 +11448,8 @@ packages: lowercase-keys: 2.0.0 p-cancelable: 2.1.1 responselike: 2.0.1 - dev: false - /got@12.1.0: - resolution: {integrity: sha512-hBv2ty9QN2RdbJJMK3hesmSkFTjVIHyIDDbssCKnSmq62edGgImJWD10Eb1k77TiV1bxloxqcFAVK8+9pkhOig==} - engines: {node: '>=14.16'} + got@12.1.0: dependencies: '@sindresorhus/is': 4.6.0 '@szmarczak/http-timer': 5.0.1 @@ -8124,345 +11464,201 @@ packages: lowercase-keys: 3.0.0 p-cancelable: 3.0.0 responselike: 2.0.1 - dev: false - /graceful-fs@4.2.10: - resolution: {integrity: sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==} - dev: false + graceful-fs@4.2.10: {} - /graceful-fs@4.2.11: - resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==} - dev: false + graceful-fs@4.2.11: {} - /graceful-readlink@1.0.1: - resolution: {integrity: sha512-8tLu60LgxF6XpdbK8OW3FA+IfTNBn1ZHGHKF4KQbEeSkajYw5PlYJcKluntgegDPTg8UkHjpet1T82vk6TQ68w==} - dev: false + graceful-readlink@1.0.1: {} - /graphemer@1.4.0: - resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==} - dev: true + graphemer@1.4.0: {} - /har-schema@2.0.0: - resolution: {integrity: sha512-Oqluz6zhGX8cyRaTQlFMPw80bSJVG2x/cFb8ZPhUILGgHka9SsokCCOQgpveePerqidZOrT14ipqfJb7ILcW5Q==} - engines: {node: '>=4'} - dev: false + har-schema@2.0.0: {} - /har-validator@5.1.5: - resolution: {integrity: sha512-nmT2T0lljbxdQZfspsno9hgrG3Uir6Ks5afism62poxqBM6sDnMEuPmzTq8XN0OEwqKLLdh1jQI3qyE66Nzb3w==} - engines: {node: '>=6'} - deprecated: this library is no longer supported + har-validator@5.1.5: dependencies: ajv: 6.12.6 har-schema: 2.0.0 - dev: false - /has-bigints@1.0.2: - resolution: {integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==} - dev: false + has-bigints@1.0.2: {} - /has-flag@4.0.0: - resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==} - engines: {node: '>=8'} + has-flag@4.0.0: {} - /has-property-descriptors@1.0.1: - resolution: {integrity: sha512-VsX8eaIewvas0xnvinAe9bw4WfIeODpGYikiWYLH+dma0Jw6KHYqWiWfhQlgOVK8D6PvjubK5Uc4P0iIhIcNVg==} + has-property-descriptors@1.0.1: dependencies: get-intrinsic: 1.2.2 - dev: false - /has-property-descriptors@1.0.2: - resolution: {integrity: sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==} + has-property-descriptors@1.0.2: dependencies: es-define-property: 1.0.0 - dev: false - /has-proto@1.0.1: - resolution: {integrity: sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==} - engines: {node: '>= 0.4'} - dev: false + has-proto@1.0.1: {} - /has-proto@1.0.3: - resolution: {integrity: sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==} - engines: {node: '>= 0.4'} - dev: false + has-proto@1.0.3: {} - /has-symbols@1.0.3: - resolution: {integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==} - engines: {node: '>= 0.4'} - dev: false + has-symbols@1.0.3: {} - /has-tostringtag@1.0.2: - resolution: {integrity: sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==} - engines: {node: '>= 0.4'} + has-tostringtag@1.0.2: dependencies: has-symbols: 1.0.3 - dev: false - /has-unicode@2.0.1: - resolution: {integrity: sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ==} - requiresBuild: true - dev: false + has-unicode@2.0.1: optional: true - /hash-base@3.1.0: - resolution: {integrity: sha512-1nmYp/rhMDiE7AYkDw+lLwlAzz0AntGIe51F3RfFfEqyQ3feY2eI/NcwC6umIQVOASPMsWJLJScWKSSvzL9IVA==} - engines: {node: '>=4'} + hash-base@3.1.0: dependencies: inherits: 2.0.4 readable-stream: 3.6.2 safe-buffer: 5.2.1 - dev: false - /hash.js@1.1.7: - resolution: {integrity: sha512-taOaskGt4z4SOANNseOviYDvjEJinIkRgmp7LbKP2YTTmVxWBl87s/uzK9r+44BclBSp2X7K1hqeNfz9JbBeXA==} + hash.js@1.1.7: dependencies: inherits: 2.0.4 minimalistic-assert: 1.0.1 - dev: false - /hasown@2.0.0: - resolution: {integrity: sha512-vUptKVTpIJhcczKBbgnS+RtcuYMB8+oNzPK2/Hp3hanz8JmpATdmmgLgSaadVREkDm+e2giHwY3ZRkyjSIDDFA==} - engines: {node: '>= 0.4'} + hasown@2.0.0: dependencies: function-bind: 1.1.2 - dev: false - /hasown@2.0.2: - resolution: {integrity: sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==} - engines: {node: '>= 0.4'} + hasown@2.0.2: dependencies: function-bind: 1.1.2 - dev: false - /he@1.2.0: - resolution: {integrity: sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==} - hasBin: true - dev: false + he@1.2.0: {} - /help-me@5.0.0: - resolution: {integrity: sha512-7xgomUX6ADmcYzFik0HzAxh/73YlKR9bmFzf51CZwR+b6YtzU2m0u49hQCqV6SvlqIqsaxovfwdvbnsw3b/zpg==} - dev: false + help-me@5.0.0: {} - /highlight.js@10.7.3: - resolution: {integrity: sha512-tzcUFauisWKNHaRkN4Wjl/ZA07gENAjFl3J/c480dprkGTg5EQstgaNFqBfUqCq54kZRIEcreTsAgF/m2quD7A==} - dev: false + highlight.js@10.7.3: {} - /hmac-drbg@1.0.1: - resolution: {integrity: sha512-Tti3gMqLdZfhOQY1Mzf/AanLiqh1WTiJgEj26ZuYQ9fbkLomzGchCws4FyrSd4VkpBfiNhaE1On+lOz894jvXg==} + hmac-drbg@1.0.1: dependencies: hash.js: 1.1.7 minimalistic-assert: 1.0.1 minimalistic-crypto-utils: 1.0.1 - dev: false - /html-encoding-sniffer@4.0.0: - resolution: {integrity: sha512-Y22oTqIU4uuPgEemfz7NDJz6OeKf12Lsu+QC+s3BVpda64lTiMYCyGwg5ki4vFxkMwQdeZDl2adZoqUgdFuTgQ==} - engines: {node: '>=18'} + html-encoding-sniffer@4.0.0: dependencies: whatwg-encoding: 3.1.1 - dev: false - /http-cache-semantics@4.1.1: - resolution: {integrity: sha512-er295DKPVsV82j5kw1Gjt+ADA/XYHsajl82cGNQG2eyoPkvgUhX+nDIyelzhIWbbsXP39EHcI6l5tYs2FYqYXQ==} - dev: false + http-cache-semantics@4.1.1: {} - /http-errors@2.0.0: - resolution: {integrity: sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==} - engines: {node: '>= 0.8'} + http-errors@2.0.0: dependencies: depd: 2.0.0 inherits: 2.0.4 setprototypeof: 1.2.0 statuses: 2.0.1 toidentifier: 1.0.1 - dev: false - /http-https@1.0.0: - resolution: {integrity: sha512-o0PWwVCSp3O0wS6FvNr6xfBCHgt0m1tvPLFOCc2iFDKTRAXhB7m8klDf7ErowFH8POa6dVdGatKU5I1YYwzUyg==} - dev: false + http-https@1.0.0: {} - /http-proxy-agent@4.0.1: - resolution: {integrity: sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==} - engines: {node: '>= 6'} - requiresBuild: true + http-proxy-agent@4.0.1: dependencies: '@tootallnate/once': 1.1.2 agent-base: 6.0.2 debug: 4.3.7(supports-color@8.1.1) transitivePeerDependencies: - supports-color - dev: false optional: true - /http-proxy-agent@7.0.2: - resolution: {integrity: sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig==} - engines: {node: '>= 14'} + http-proxy-agent@7.0.2: dependencies: agent-base: 7.1.1 debug: 4.3.7(supports-color@8.1.1) transitivePeerDependencies: - supports-color - dev: false - /http-signature@1.2.0: - resolution: {integrity: sha512-CAbnr6Rz4CYQkLYUtSNXxQPUH2gK8f3iWexVlsnMeD+GjlsQ0Xsy1cOX+mN3dtxYomRy21CiOzU8Uhw6OwncEQ==} - engines: {node: '>=0.8', npm: '>=1.3.7'} + http-signature@1.2.0: dependencies: assert-plus: 1.0.0 jsprim: 1.4.2 sshpk: 1.18.0 - dev: false - /http2-wrapper@1.0.3: - resolution: {integrity: sha512-V+23sDMr12Wnz7iTcDeJr3O6AIxlnvT/bmaAAAP/Xda35C90p9599p0F1eHR/N1KILWSoWVAiOMFjBBXaXSMxg==} - engines: {node: '>=10.19.0'} + http2-wrapper@1.0.3: dependencies: quick-lru: 5.1.1 resolve-alpn: 1.2.1 - dev: false - /http2-wrapper@2.2.1: - resolution: {integrity: sha512-V5nVw1PAOgfI3Lmeaj2Exmeg7fenjhRUgz1lPSezy1CuhPYbgQtbQj4jZfEAEMlaL+vupsvhjqCyjzob0yxsmQ==} - engines: {node: '>=10.19.0'} + http2-wrapper@2.2.1: dependencies: quick-lru: 5.1.1 resolve-alpn: 1.2.1 - dev: false - /https-proxy-agent@5.0.1: - resolution: {integrity: sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==} - engines: {node: '>= 6'} - requiresBuild: true + https-proxy-agent@5.0.1: dependencies: agent-base: 6.0.2 debug: 4.3.7(supports-color@8.1.1) transitivePeerDependencies: - supports-color - dev: false optional: true - /https-proxy-agent@7.0.5: - resolution: {integrity: sha512-1e4Wqeblerz+tMKPIq2EMGiiWW1dIjZOksyHWSUm1rmuvw/how9hBHZ38lAGj5ID4Ik6EdkOw7NmWPy6LAwalw==} - engines: {node: '>= 14'} + https-proxy-agent@7.0.5: dependencies: agent-base: 7.1.1 debug: 4.3.7(supports-color@8.1.1) transitivePeerDependencies: - supports-color - dev: false - /human-signals@2.1.0: - resolution: {integrity: sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==} - engines: {node: '>=10.17.0'} - dev: false + human-signals@2.1.0: {} - /humanize-ms@1.2.1: - resolution: {integrity: sha512-Fl70vYtsAFb/C06PTS9dZBo7ihau+Tu/DNCk/OyHhea07S+aeMWpFFkUaXRa8fI+ScZbEI8dfSxwY7gxZ9SAVQ==} - requiresBuild: true + humanize-ms@1.2.1: dependencies: ms: 2.1.3 - dev: false optional: true - /iconv-lite@0.4.24: - resolution: {integrity: sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==} - engines: {node: '>=0.10.0'} + iconv-lite@0.4.24: dependencies: safer-buffer: 2.1.2 - dev: false - /iconv-lite@0.6.3: - resolution: {integrity: sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==} - engines: {node: '>=0.10.0'} - requiresBuild: true + iconv-lite@0.6.3: dependencies: safer-buffer: 2.1.2 - dev: false - /idb@8.0.0: - resolution: {integrity: sha512-l//qvlAKGmQO31Qn7xdzagVPPaHTxXx199MhrAFuVBTPqydcPYBWjkrbv4Y0ktB+GmWOiwHl237UUOrLmQxLvw==} - dev: false + idb@8.0.0: {} - /idna-uts46-hx@2.3.1: - resolution: {integrity: sha512-PWoF9Keq6laYdIRwwCdhTPl60xRqAloYNMQLiyUnG42VjT53oW07BXIRM+NK7eQjzXjAk2gUvX9caRxlnF9TAA==} - engines: {node: '>=4.0.0'} + idna-uts46-hx@2.3.1: dependencies: punycode: 2.1.0 - dev: false - /ieee754@1.2.1: - resolution: {integrity: sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==} - dev: false + ieee754@1.2.1: {} - /ignore@5.3.1: - resolution: {integrity: sha512-5Fytz/IraMjqpwfd34ke28PTVMjZjJG2MPn5t7OE4eUCUNf8BAa7b5WUS9/Qvr6mwOQS7Mk6vdsMno5he+T8Xw==} - engines: {node: '>= 4'} - dev: true + ignore@5.3.1: {} - /immediate@3.2.3: - resolution: {integrity: sha512-RrGCXRm/fRVqMIhqXrGEX9rRADavPiDFSoMb/k64i9XMk8uH4r/Omi5Ctierj6XzNecwDbO4WuFbDD1zmpl3Tg==} - dev: false + immediate@3.2.3: {} - /immediate@3.3.0: - resolution: {integrity: sha512-HR7EVodfFUdQCTIeySw+WDRFJlPcLOJbXfwwZ7Oom6tjsvZ3bOkCDJHehQC3nxJrv7+f9XecwazynjU8e4Vw3Q==} - dev: false + immediate@3.3.0: {} - /import-fresh@3.3.0: - resolution: {integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==} - engines: {node: '>=6'} + import-fresh@3.3.0: dependencies: parent-module: 1.0.1 resolve-from: 4.0.0 - dev: true - /imurmurhash@0.1.4: - resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==} - engines: {node: '>=0.8.19'} + imurmurhash@0.1.4: {} - /indent-string@4.0.0: - resolution: {integrity: sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==} - engines: {node: '>=8'} - requiresBuild: true - dev: false + indent-string@4.0.0: optional: true - /indent-string@5.0.0: - resolution: {integrity: sha512-m6FAo/spmsW2Ab2fU35JTYwtOKa2yAwXSwgjSv1TJzh4Mh7mC3lzAOVLBprb72XsTrgkEIsl7YrFNAiDiRhIGg==} - engines: {node: '>=12'} - dev: false + indent-string@5.0.0: {} - /infer-owner@1.0.4: - resolution: {integrity: sha512-IClj+Xz94+d7irH5qRyfJonOdfTzuDaifE6ZPWfx0N0+/ATZCbuTPq2prFl526urkQd90WyUKIh1DfBQ2hMz9A==} - requiresBuild: true - dev: false + infer-owner@1.0.4: optional: true - /inflight@1.0.6: - resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==} + inflight@1.0.6: dependencies: once: 1.4.0 wrappy: 1.0.2 - /inherits@2.0.4: - resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==} + inherits@2.0.4: {} - /ini@1.3.8: - resolution: {integrity: sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==} - dev: false + ini@1.3.8: {} - /inquirer-press-to-continue@1.2.0(inquirer@9.3.3): - resolution: {integrity: sha512-HdKOgEAydYhI3OKLy5S4LMi7a/AHJjPzF06mHqbdVxlTmHOaytQVBaVbQcSytukD70K9FYLhYicNOPuNjFiWVQ==} - peerDependencies: - inquirer: '>=8.0.0 <10.0.0' + inquirer-press-to-continue@1.2.0(inquirer@9.3.3): dependencies: deep-equal: 2.2.3 inquirer: 9.3.3 ora: 6.3.1 - dev: false - /inquirer@9.3.3: - resolution: {integrity: sha512-Z7lAi4XUBYRa6NPB0k+0+3dyhnyp2sAqVeiyogHyue93DvE9dPxp7oi7Gg8/KfWXSrGEsyBvZbl4PdBpS7ZKkg==} - engines: {node: '>=18'} + inquirer@9.3.3: dependencies: '@inquirer/figures': 1.0.3 ansi-escapes: 4.3.2 @@ -8476,370 +11672,197 @@ packages: strip-ansi: 6.0.1 wrap-ansi: 6.2.0 yoctocolors-cjs: 2.1.2 - dev: false - /internal-slot@1.0.7: - resolution: {integrity: sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g==} - engines: {node: '>= 0.4'} + internal-slot@1.0.7: dependencies: es-errors: 1.3.0 hasown: 2.0.2 side-channel: 1.0.6 - dev: false - /ip-address@9.0.5: - resolution: {integrity: sha512-zHtQzGojZXTwZTHQqra+ETKd4Sn3vgi7uBmlPoXVWZqYvuKmtI0l/VZTjqGmJY9x88GGOaZ9+G9ES8hC4T4X8g==} - engines: {node: '>= 12'} - requiresBuild: true + ip-address@9.0.5: dependencies: jsbn: 1.1.0 sprintf-js: 1.1.3 - dev: false optional: true - /ip-regex@4.3.0: - resolution: {integrity: sha512-B9ZWJxHHOHUhUjCPrMpLD4xEq35bUTClHM1S6CBU5ixQnkZmwipwgc96vAd7AAGM9TGHvJR+Uss+/Ak6UphK+Q==} - engines: {node: '>=8'} - dev: false + ip-regex@4.3.0: {} - /ipaddr.js@1.9.1: - resolution: {integrity: sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==} - engines: {node: '>= 0.10'} - dev: false + ipaddr.js@1.9.1: {} - /is-accessor-descriptor@1.0.1: - resolution: {integrity: sha512-YBUanLI8Yoihw923YeFUS5fs0fF2f5TSFTNiYAAzhhDscDa3lEqYuz1pDOEP5KvX94I9ey3vsqjJcLVFVU+3QA==} - engines: {node: '>= 0.10'} + is-accessor-descriptor@1.0.1: dependencies: hasown: 2.0.2 - dev: false - /is-arguments@1.1.1: - resolution: {integrity: sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA==} - engines: {node: '>= 0.4'} + is-arguments@1.1.1: dependencies: call-bind: 1.0.7 has-tostringtag: 1.0.2 - dev: false - /is-array-buffer@3.0.4: - resolution: {integrity: sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw==} - engines: {node: '>= 0.4'} + is-array-buffer@3.0.4: dependencies: call-bind: 1.0.7 get-intrinsic: 1.2.4 - dev: false - /is-bigint@1.0.4: - resolution: {integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==} + is-bigint@1.0.4: dependencies: has-bigints: 1.0.2 - dev: false - /is-binary-path@2.1.0: - resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==} - engines: {node: '>=8'} + is-binary-path@2.1.0: dependencies: binary-extensions: 2.2.0 - dev: false - /is-boolean-object@1.1.2: - resolution: {integrity: sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==} - engines: {node: '>= 0.4'} + is-boolean-object@1.1.2: dependencies: call-bind: 1.0.7 has-tostringtag: 1.0.2 - dev: false - /is-buffer@1.1.6: - resolution: {integrity: sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==} - dev: false + is-buffer@1.1.6: {} - /is-callable@1.2.7: - resolution: {integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==} - engines: {node: '>= 0.4'} - dev: false + is-callable@1.2.7: {} - /is-data-descriptor@1.0.1: - resolution: {integrity: sha512-bc4NlCDiCr28U4aEsQ3Qs2491gVq4V8G7MQyws968ImqjKuYtTJXrl7Vq7jsN7Ly/C3xj5KWFrY7sHNeDkAzXw==} - engines: {node: '>= 0.4'} + is-data-descriptor@1.0.1: dependencies: hasown: 2.0.2 - dev: false - /is-date-object@1.0.5: - resolution: {integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==} - engines: {node: '>= 0.4'} + is-date-object@1.0.5: dependencies: has-tostringtag: 1.0.2 - dev: false - /is-descriptor@1.0.3: - resolution: {integrity: sha512-JCNNGbwWZEVaSPtS45mdtrneRWJFp07LLmykxeFV5F6oBvNF8vHSfJuJgoT472pSfk+Mf8VnlrspaFBHWM8JAw==} - engines: {node: '>= 0.4'} + is-descriptor@1.0.3: dependencies: is-accessor-descriptor: 1.0.1 is-data-descriptor: 1.0.1 - dev: false - /is-extglob@2.1.1: - resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==} - engines: {node: '>=0.10.0'} + is-extglob@2.1.1: {} - /is-fullwidth-code-point@3.0.0: - resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==} - engines: {node: '>=8'} + is-fullwidth-code-point@3.0.0: {} - /is-function@1.0.2: - resolution: {integrity: sha512-lw7DUp0aWXYg+CBCN+JKkcE0Q2RayZnSvnZBlwgxHBQhqt5pZNVy4Ri7H9GmmXkdu7LUthszM+Tor1u/2iBcpQ==} - dev: false + is-function@1.0.2: {} - /is-generator-function@1.0.10: - resolution: {integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==} - engines: {node: '>= 0.4'} + is-generator-function@1.0.10: dependencies: has-tostringtag: 1.0.2 - dev: false - /is-glob@4.0.3: - resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==} - engines: {node: '>=0.10.0'} + is-glob@4.0.3: dependencies: is-extglob: 2.1.1 - /is-hex-prefixed@1.0.0: - resolution: {integrity: sha512-WvtOiug1VFrE9v1Cydwm+FnXd3+w9GaeVUss5W4v/SLy3UW00vP+6iNF2SdnfiBoLy4bTqVdkftNGTUeOFVsbA==} - engines: {node: '>=6.5.0', npm: '>=3'} - dev: false + is-hex-prefixed@1.0.0: {} - /is-interactive@1.0.0: - resolution: {integrity: sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w==} - engines: {node: '>=8'} - dev: false + is-interactive@1.0.0: {} - /is-interactive@2.0.0: - resolution: {integrity: sha512-qP1vozQRI+BMOPcjFzrjXuQvdak2pHNUMZoeG2eRbiSqyvbEf/wQtEOTOX1guk6E3t36RkaqiSt8A/6YElNxLQ==} - engines: {node: '>=12'} - dev: false + is-interactive@2.0.0: {} - /is-lambda@1.0.1: - resolution: {integrity: sha512-z7CMFGNrENq5iFB9Bqo64Xk6Y9sg+epq1myIcdHaGnbMTYOxvzsEtdYqQUylB7LxfkvgrrjP32T6Ywciio9UIQ==} - requiresBuild: true - dev: false + is-lambda@1.0.1: optional: true - /is-map@2.0.3: - resolution: {integrity: sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==} - engines: {node: '>= 0.4'} - dev: false + is-map@2.0.3: {} - /is-number-object@1.0.7: - resolution: {integrity: sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==} - engines: {node: '>= 0.4'} + is-number-object@1.0.7: dependencies: has-tostringtag: 1.0.2 - dev: false - /is-number@3.0.0: - resolution: {integrity: sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==} - engines: {node: '>=0.10.0'} + is-number@3.0.0: dependencies: kind-of: 3.2.2 - dev: false - /is-number@7.0.0: - resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==} - engines: {node: '>=0.12.0'} + is-number@7.0.0: {} - /is-path-inside@3.0.3: - resolution: {integrity: sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==} - engines: {node: '>=8'} - dev: true + is-path-inside@3.0.3: {} - /is-plain-obj@2.1.0: - resolution: {integrity: sha512-YWnfyRwxL/+SsrWYfOpUtz5b3YD+nyfkHvjbcanzk8zgyO4ASD67uVMRt8k5bM4lLMDnXfriRhOpemw+NfT1eA==} - engines: {node: '>=8'} - dev: false + is-plain-obj@2.1.0: {} - /is-potential-custom-element-name@1.0.1: - resolution: {integrity: sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==} - dev: false + is-potential-custom-element-name@1.0.1: {} - /is-promise@2.2.2: - resolution: {integrity: sha512-+lP4/6lKUBfQjZ2pdxThZvLUAafmZb8OAxFb8XXtiQmS35INgr85hdOGoEs124ez1FCnZJt6jau/T+alh58QFQ==} - dev: false + is-promise@2.2.2: {} - /is-regex@1.1.4: - resolution: {integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==} - engines: {node: '>= 0.4'} + is-regex@1.1.4: dependencies: call-bind: 1.0.7 has-tostringtag: 1.0.2 - dev: false - /is-set@2.0.3: - resolution: {integrity: sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==} - engines: {node: '>= 0.4'} - dev: false + is-set@2.0.3: {} - /is-shared-array-buffer@1.0.3: - resolution: {integrity: sha512-nA2hv5XIhLR3uVzDDfCIknerhx8XUKnstuOERPNNIinXG7v9u+ohXF67vxm4TPTEPU6lm61ZkwP3c9PCB97rhg==} - engines: {node: '>= 0.4'} + is-shared-array-buffer@1.0.3: dependencies: call-bind: 1.0.7 - dev: false - /is-stream@2.0.1: - resolution: {integrity: sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==} - engines: {node: '>=8'} - dev: false + is-stream@2.0.1: {} - /is-string@1.0.7: - resolution: {integrity: sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==} - engines: {node: '>= 0.4'} + is-string@1.0.7: dependencies: has-tostringtag: 1.0.2 - dev: false - /is-symbol@1.0.4: - resolution: {integrity: sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==} - engines: {node: '>= 0.4'} + is-symbol@1.0.4: dependencies: has-symbols: 1.0.3 - dev: false - /is-typed-array@1.1.13: - resolution: {integrity: sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw==} - engines: {node: '>= 0.4'} + is-typed-array@1.1.13: dependencies: which-typed-array: 1.1.15 - dev: false - /is-typedarray@1.0.0: - resolution: {integrity: sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==} - dev: false + is-typedarray@1.0.0: {} - /is-unicode-supported@0.1.0: - resolution: {integrity: sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==} - engines: {node: '>=10'} - dev: false + is-unicode-supported@0.1.0: {} - /is-unicode-supported@1.3.0: - resolution: {integrity: sha512-43r2mRvz+8JRIKnWJ+3j8JtjRKZ6GmjzfaE/qiBJnikNnYv/6bagRJ1kUhNk8R5EX/GkobD+r+sfxCPJsiKBLQ==} - engines: {node: '>=12'} - dev: false + is-unicode-supported@1.3.0: {} - /is-weakmap@2.0.2: - resolution: {integrity: sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==} - engines: {node: '>= 0.4'} - dev: false + is-weakmap@2.0.2: {} - /is-weakset@2.0.3: - resolution: {integrity: sha512-LvIm3/KWzS9oRFHugab7d+M/GcBXuXX5xZkzPmN+NxihdQlZUQ4dWuSV1xR/sq6upL1TJEDrfBgRepHFdBtSNQ==} - engines: {node: '>= 0.4'} + is-weakset@2.0.3: dependencies: call-bind: 1.0.7 get-intrinsic: 1.2.4 - dev: false - /isarray@2.0.5: - resolution: {integrity: sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==} - dev: false + isarray@2.0.5: {} - /isexe@2.0.0: - resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==} - requiresBuild: true + isexe@2.0.0: {} - /iso-random-stream@2.0.2: - resolution: {integrity: sha512-yJvs+Nnelic1L2vH2JzWvvPQFA4r7kSTnpST/+LkAQjSz0hos2oqLD+qIVi9Qk38Hoe7mNDt3j0S27R58MVjLQ==} - engines: {node: '>=10'} + iso-random-stream@2.0.2: dependencies: events: 3.3.0 readable-stream: 3.6.2 - dev: false - /isomorphic-ws@5.0.0(ws@8.18.0): - resolution: {integrity: sha512-muId7Zzn9ywDsyXgTIafTry2sV3nySZeUDe6YedVd1Hvuuep5AsIlqK+XefWpYTyJG5e503F2xIuT2lcU6rCSw==} - peerDependencies: - ws: '*' + isomorphic-ws@5.0.0(ws@8.18.0): dependencies: ws: 8.18.0 - dev: false - /isows@1.0.4(ws@8.17.1): - resolution: {integrity: sha512-hEzjY+x9u9hPmBom9IIAqdJCwNLax+xrPb51vEPpERoFlIxgmZcHzsT5jKG06nvInKOBGvReAVz80Umed5CczQ==} - peerDependencies: - ws: '*' + isows@1.0.4(ws@8.17.1): dependencies: ws: 8.17.1 - dev: false - /isstream@0.1.2: - resolution: {integrity: sha512-Yljz7ffyPbrLpLngrMtZ7NduUgVvi6wG9RJ9IUcyCd59YQ911PBJphODUcbOVbqYfxe1wuYf/LJ8PauMRwsM/g==} - dev: false + isstream@0.1.2: {} - /jackspeak@3.4.0: - resolution: {integrity: sha512-JVYhQnN59LVPFCEcVa2C3CrEKYacvjRfqIQl+h8oi91aLYQVWRYbxjPcv1bUiUy/kLmQaANrYfNMCO3kuEDHfw==} - engines: {node: '>=14'} + jackspeak@3.4.0: dependencies: '@isaacs/cliui': 8.0.2 optionalDependencies: '@pkgjs/parseargs': 0.11.0 - dev: false - /javascript-natural-sort@0.7.1: - resolution: {integrity: sha512-nO6jcEfZWQXDhOiBtG2KvKyEptz7RVbpGP4vTD2hLBdmNQSsCiicO2Ioinv6UI4y9ukqnBpy+XZ9H6uLNgJTlw==} - dev: false + javascript-natural-sort@0.7.1: {} - /jdenticon@3.2.0: - resolution: {integrity: sha512-z6Iq3fTODUMSOiR2nNYrqigS6Y0GvdXfyQWrUby7htDHvX7GNEwaWR4hcaL+FmhEgBe08Xkup/BKxXQhDJByPA==} - engines: {node: '>=6.4.0'} - hasBin: true + jdenticon@3.2.0: dependencies: canvas-renderer: 2.2.1 - dev: false - /joycon@3.1.1: - resolution: {integrity: sha512-34wB/Y7MW7bzjKRjUKTa46I2Z7eV62Rkhva+KkopW7Qvv/OSWBqvkSY7vusOPrNuZcUG3tApvdVgNB8POj3SPw==} - engines: {node: '>=10'} - dev: false + joycon@3.1.1: {} - /js-sha3@0.5.7: - resolution: {integrity: sha512-GII20kjaPX0zJ8wzkTbNDYMY7msuZcTWk8S5UOh6806Jq/wz1J8/bnr8uGU0DAUmYDjj2Mr4X1cW8v/GLYnR+g==} - dev: false + js-sha3@0.5.7: {} - /js-sha3@0.8.0: - resolution: {integrity: sha512-gF1cRrHhIzNfToc802P800N8PpXS+evLLXfsVpowqmAFR9uwbi89WvXg2QspOmXL8QL86J4T1EpFu+yUkwJY3Q==} - dev: false + js-sha3@0.8.0: {} - /js-tokens@4.0.0: - resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==} - dev: false + js-tokens@4.0.0: {} - /js-yaml@4.1.0: - resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==} - hasBin: true + js-yaml@4.1.0: dependencies: argparse: 2.0.1 - /jsbn@0.1.1: - resolution: {integrity: sha512-UVU9dibq2JcFWxQPA6KCqj5O42VOmAY3zQUfEKxU0KpTGXwNoCjkX1e13eHNvw/xPynt6pU0rZ1htjWTNTSXsg==} - dev: false + jsbn@0.1.1: {} - /jsbn@1.1.0: - resolution: {integrity: sha512-4bYVV3aAMtDTTu4+xsDYa6sy9GyJ69/amsu9sYF2zqjiEoZA5xJi3BrfX3uY+/IekIu7MwdObdbDWpoZdBv3/A==} - requiresBuild: true - dev: false + jsbn@1.1.0: optional: true - /jsdom@23.2.0: - resolution: {integrity: sha512-L88oL7D/8ufIES+Zjz7v0aes+oBMh2Xnh3ygWvL0OaICOomKEPKuPnIfBJekiXr+BHbbMjrWn/xqrDQuxFTeyA==} - engines: {node: '>=18'} - peerDependencies: - canvas: ^2.11.2 - peerDependenciesMeta: - canvas: - optional: true + jsdom@23.2.0: dependencies: '@asamuzakjp/dom-selector': 2.0.2 cssstyle: 4.0.1 @@ -8866,193 +11889,120 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /json-bigint@1.0.0: - resolution: {integrity: sha512-SiPv/8VpZuWbvLSMtTDU8hEfrZWg/mH/nV/b4o0CYbSxu1UIQPLdwKOCIyLQX+VIPO5vrLX3i8qtqFyhdPSUSQ==} + json-bigint@1.0.0: dependencies: bignumber.js: 9.1.2 - dev: false - /json-buffer@3.0.1: - resolution: {integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==} + json-buffer@3.0.1: {} - /json-schema-traverse@0.4.1: - resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==} + json-schema-traverse@0.4.1: {} - /json-schema@0.4.0: - resolution: {integrity: sha512-es94M3nTIfsEPisRafak+HDLfHXnKBhV3vU5eqPcS3flIWqcxJWgXHXiey3YrpaNsanY5ei1VoYEbOzijuq9BA==} - dev: false + json-schema@0.4.0: {} - /json-stable-stringify-without-jsonify@1.0.1: - resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==} - dev: true + json-stable-stringify-without-jsonify@1.0.1: {} - /json-stable-stringify@1.1.1: - resolution: {integrity: sha512-SU/971Kt5qVQfJpyDveVhQ/vya+5hvrjClFOcr8c0Fq5aODJjMwutrOfCU+eCnVD5gpx1Q3fEqkyom77zH1iIg==} - engines: {node: '>= 0.4'} + json-stable-stringify@1.1.1: dependencies: call-bind: 1.0.5 isarray: 2.0.5 jsonify: 0.0.1 object-keys: 1.1.1 - dev: false - /json-stringify-safe@5.0.1: - resolution: {integrity: sha512-ZClg6AaYvamvYEE82d3Iyd3vSSIjQ+odgjaTzRuO3s7toCdFKczob2i0zCh7JE8kWn17yvAWhUVxvqGwUalsRA==} - dev: false + json-stringify-safe@5.0.1: {} - /jsonc-parser@3.3.1: - resolution: {integrity: sha512-HUgH65KyejrUFPvHFPbqOY0rsFip3Bo5wb4ngvdi1EpCYWUQDC5V+Y7mZws+DLkr4M//zQJoanu1SP+87Dv1oQ==} - dev: false + jsonc-parser@3.3.1: {} - /jsondiffpatch@0.5.0: - resolution: {integrity: sha512-Quz3MvAwHxVYNXsOByL7xI5EB2WYOeFswqaHIA3qOK3isRWTxiplBEocmmru6XmxDB2L7jDNYtYA4FyimoAFEw==} - engines: {node: '>=8.17.0'} - hasBin: true + jsondiffpatch@0.5.0: dependencies: chalk: 3.0.0 diff-match-patch: 1.0.5 - dev: false - bundledDependencies: [] - /jsonfile@4.0.0: - resolution: {integrity: sha512-m6F1R3z8jjlf2imQHS2Qez5sjKWQzbuuhuJ/FKYFRZvPE3PuHcSMVZzfsLhGVOkfd20obL5SWEBew5ShlquNxg==} + jsonfile@4.0.0: optionalDependencies: graceful-fs: 4.2.11 - dev: false - /jsonfile@6.1.0: - resolution: {integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==} + jsonfile@6.1.0: dependencies: universalify: 2.0.1 optionalDependencies: graceful-fs: 4.2.11 - dev: false - /jsonify@0.0.1: - resolution: {integrity: sha512-2/Ki0GcmuqSrgFyelQq9M05y7PS0mEwuIzrf3f1fPqkVDVRvZrPZtVSMHxdgo8Aq0sxAOb/cr2aqqA3LeWHVPg==} - dev: false + jsonify@0.0.1: {} - /jsonparse@1.3.1: - resolution: {integrity: sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==} - engines: {'0': node >= 0.2.0} - dev: false + jsonparse@1.3.1: {} - /jsprim@1.4.2: - resolution: {integrity: sha512-P2bSOMAc/ciLz6DzgjVlGJP9+BrJWu5UDGK70C2iweC5QBIeFf0ZXRvGjEj2uYgrY2MkAAhsSWHDWlFtEroZWw==} - engines: {node: '>=0.6.0'} + jsprim@1.4.2: dependencies: assert-plus: 1.0.0 extsprintf: 1.3.0 json-schema: 0.4.0 verror: 1.10.0 - dev: false - /keccak@3.0.4: - resolution: {integrity: sha512-3vKuW0jV8J3XNTzvfyicFR5qvxrSAGl7KIhvgOu5cmWwM7tZRj3fMbj/pfIf4be7aznbc+prBWGjywox/g2Y6Q==} - engines: {node: '>=10.0.0'} - requiresBuild: true + keccak@3.0.4: dependencies: node-addon-api: 2.0.2 node-gyp-build: 4.8.1 readable-stream: 3.6.2 - dev: false - /keyv@4.5.4: - resolution: {integrity: sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==} + keyv@4.5.4: dependencies: json-buffer: 3.0.1 - /kind-of@3.2.2: - resolution: {integrity: sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==} - engines: {node: '>=0.10.0'} + kind-of@3.2.2: dependencies: is-buffer: 1.1.6 - dev: false - /level-codec@9.0.2: - resolution: {integrity: sha512-UyIwNb1lJBChJnGfjmO0OR+ezh2iVu1Kas3nvBS/BzGnx79dv6g7unpKIDNPMhfdTEGoc7mC8uAu51XEtX+FHQ==} - engines: {node: '>=6'} + level-codec@9.0.2: dependencies: buffer: 5.7.1 - dev: false - /level-concat-iterator@2.0.1: - resolution: {integrity: sha512-OTKKOqeav2QWcERMJR7IS9CUo1sHnke2C0gkSmcR7QuEtFNLLzHQAvnMw8ykvEcv0Qtkg0p7FOwP1v9e5Smdcw==} - engines: {node: '>=6'} - dev: false + level-concat-iterator@2.0.1: {} - /level-errors@2.0.1: - resolution: {integrity: sha512-UVprBJXite4gPS+3VznfgDSU8PTRuVX0NXwoWW50KLxd2yw4Y1t2JUR5In1itQnudZqRMT9DlAM3Q//9NCjCFw==} - engines: {node: '>=6'} + level-errors@2.0.1: dependencies: errno: 0.1.8 - dev: false - /level-iterator-stream@4.0.2: - resolution: {integrity: sha512-ZSthfEqzGSOMWoUGhTXdX9jv26d32XJuHz/5YnuHZzH6wldfWMOVwI9TBtKcya4BKTyTt3XVA0A3cF3q5CY30Q==} - engines: {node: '>=6'} + level-iterator-stream@4.0.2: dependencies: inherits: 2.0.4 readable-stream: 3.6.2 xtend: 4.0.2 - dev: false - /level-mem@5.0.1: - resolution: {integrity: sha512-qd+qUJHXsGSFoHTziptAKXoLX87QjR7v2KMbqncDXPxQuCdsQlzmyX+gwrEHhlzn08vkf8TyipYyMmiC6Gobzg==} - engines: {node: '>=6'} + level-mem@5.0.1: dependencies: level-packager: 5.1.1 memdown: 5.1.0 - dev: false - /level-packager@5.1.1: - resolution: {integrity: sha512-HMwMaQPlTC1IlcwT3+swhqf/NUO+ZhXVz6TY1zZIIZlIR0YSn8GtAAWmIvKjNY16ZkEg/JcpAuQskxsXqC0yOQ==} - engines: {node: '>=6'} + level-packager@5.1.1: dependencies: encoding-down: 6.3.0 levelup: 4.4.0 - dev: false - /level-supports@1.0.1: - resolution: {integrity: sha512-rXM7GYnW8gsl1vedTJIbzOrRv85c/2uCMpiiCzO2fndd06U/kUXEEU9evYn4zFggBOg36IsBW8LzqIpETwwQzg==} - engines: {node: '>=6'} + level-supports@1.0.1: dependencies: xtend: 4.0.2 - dev: false - /level-ws@2.0.0: - resolution: {integrity: sha512-1iv7VXx0G9ec1isqQZ7y5LmoZo/ewAsyDHNA8EFDW5hqH2Kqovm33nSFkSdnLLAK+I5FlT+lo5Cw9itGe+CpQA==} - engines: {node: '>=6'} + level-ws@2.0.0: dependencies: inherits: 2.0.4 readable-stream: 3.6.2 xtend: 4.0.2 - dev: false - /levelup@4.4.0: - resolution: {integrity: sha512-94++VFO3qN95cM/d6eBXvd894oJE0w3cInq9USsyQzzoJxmiYzPAocNcuGCPGGjoXqDVJcr3C1jzt1TSjyaiLQ==} - engines: {node: '>=6'} + levelup@4.4.0: dependencies: deferred-leveldown: 5.3.0 level-errors: 2.0.1 level-iterator-stream: 4.0.2 level-supports: 1.0.1 xtend: 4.0.2 - dev: false - /levn@0.4.1: - resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==} - engines: {node: '>= 0.8.0'} + levn@0.4.1: dependencies: prelude-ls: 1.2.1 type-check: 0.4.0 - dev: true - /libp2p-crypto@0.21.2: - resolution: {integrity: sha512-EXFrhSpiHtJ+/L8xXDvQNK5VjUMG51u878jzZcaT5XhuN/zFg6PWJFnl/qB2Y2j7eMWnvCRP7Kp+ua2H36cG4g==} - engines: {node: '>=12.0.0'} + libp2p-crypto@0.21.2: dependencies: '@noble/ed25519': 1.7.3 '@noble/secp256k1': 1.7.1 @@ -9062,123 +12012,71 @@ packages: node-forge: 1.3.1 protobufjs: 6.11.4 uint8arrays: 3.1.1 - dev: false - /locate-path@6.0.0: - resolution: {integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==} - engines: {node: '>=10'} + locate-path@6.0.0: dependencies: p-locate: 5.0.0 - /lodash.camelcase@4.3.0: - resolution: {integrity: sha512-TwuEnCnxbc3rAvhf/LbG7tJUDzhqXyFnv3dtzLOPgCG/hODL7WFnsbwktkD7yUV0RrreP/l1PALq/YSg6VvjlA==} - dev: false + lodash.camelcase@4.3.0: {} - /lodash.merge@4.6.2: - resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==} + lodash.merge@4.6.2: {} - /lodash@4.17.21: - resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==} - dev: false + lodash@4.17.21: {} - /log-symbols@4.1.0: - resolution: {integrity: sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg==} - engines: {node: '>=10'} + log-symbols@4.1.0: dependencies: chalk: 4.1.2 is-unicode-supported: 0.1.0 - dev: false - /log-symbols@5.1.0: - resolution: {integrity: sha512-l0x2DvrW294C9uDCoQe1VSU4gf529FkSZ6leBl4TiqZH/e+0R7hSfHQBNut2mNygDgHwvYHfFLn6Oxb3VWj2rA==} - engines: {node: '>=12'} + log-symbols@5.1.0: dependencies: chalk: 5.3.0 is-unicode-supported: 1.3.0 - dev: false - /long@4.0.0: - resolution: {integrity: sha512-XsP+KhQif4bjX1kbuSiySJFNAehNxgLb6hPRGJ9QsUr8ajHkuXGdrHmFUTUUXhDwVX2R5bY4JNZEwbUiMhV+MA==} - dev: false + long@4.0.0: {} - /loose-envify@1.4.0: - resolution: {integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==} - hasBin: true + loose-envify@1.4.0: dependencies: js-tokens: 4.0.0 - dev: false - /loupe@2.3.7: - resolution: {integrity: sha512-zSMINGVYkdpYSOBmLi0D1Uo7JU9nVdQKrHxC8eYlV+9YKK9WePqAlL7lSlorG/U2Fw1w0hTBmaa/jrQ3UbPHtA==} + loupe@2.3.7: dependencies: get-func-name: 2.0.2 - dev: false - /loupe@3.1.1: - resolution: {integrity: sha512-edNu/8D5MKVfGVFRhFf8aAxiTM6Wumfz5XsaatSxlD3w4R1d/WEKUTydCdPGbl9K7QG/Ca3GnDV2sIKIpXRQcw==} + loupe@3.1.1: dependencies: get-func-name: 2.0.2 - dev: false - /lowercase-keys@2.0.0: - resolution: {integrity: sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA==} - engines: {node: '>=8'} - dev: false + lowercase-keys@2.0.0: {} - /lowercase-keys@3.0.0: - resolution: {integrity: sha512-ozCC6gdQ+glXOQsveKD0YsDy8DSQFjDTz4zyzEHNV5+JP5D62LmfDZ6o1cycFx9ouG940M5dE8C8CTewdj2YWQ==} - engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} - dev: false + lowercase-keys@3.0.0: {} - /lru-cache@10.2.0: - resolution: {integrity: sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==} - engines: {node: 14 || >=16.14} - dev: false + lru-cache@10.2.0: {} - /lru-cache@10.3.0: - resolution: {integrity: sha512-CQl19J/g+Hbjbv4Y3mFNNXFEL/5t/KCg8POCuUqd4rMKjGG+j1ybER83hxV58zL+dFI1PTkt3GNFSHRt+d8qEQ==} - engines: {node: 14 || >=16.14} - dev: false + lru-cache@10.3.0: {} - /lru-cache@6.0.0: - resolution: {integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==} - engines: {node: '>=10'} - requiresBuild: true + lru-cache@6.0.0: dependencies: yallist: 4.0.0 - dev: false optional: true - /lru-queue@0.1.0: - resolution: {integrity: sha512-BpdYkt9EvGl8OfWHDQPISVpcl5xZthb+XPsbELj5AQXxIC8IriDZIQYjBJPEm5rS420sjZ0TLEzRcq5KdBhYrQ==} + lru-queue@0.1.0: dependencies: es5-ext: 0.10.64 - dev: false - /ltgt@2.2.1: - resolution: {integrity: sha512-AI2r85+4MquTw9ZYqabu4nMwy9Oftlfa/e/52t9IjtfG+mGBbTNdAoZ3RQKLHR6r0wQnwZnPIEh/Ya6XTWAKNA==} - dev: false + ltgt@2.2.1: {} - /magic-string@0.30.10: - resolution: {integrity: sha512-iIRwTIf0QKV3UAnYK4PU8uiEc4SRh5jX0mwpIwETPpHdhVM4f53RSwS/vXvN1JhGX+Cs7B8qIq3d6AH49O5fAQ==} + magic-string@0.30.10: dependencies: '@jridgewell/sourcemap-codec': 1.4.15 - dev: false - /magic-string@0.30.11: - resolution: {integrity: sha512-+Wri9p0QHMy+545hKww7YAu5NyzF8iomPL/RQazugQ9+Ez4Ic3mERMd8ZTX5rfK944j+560ZJi8iAwgak1Ac7A==} + magic-string@0.30.11: dependencies: '@jridgewell/sourcemap-codec': 1.5.0 - dev: false - /make-error@1.3.6: - resolution: {integrity: sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==} - dev: false + make-error@1.3.6: {} - /make-fetch-happen@9.1.0: - resolution: {integrity: sha512-+zopwDy7DNknmwPQplem5lAZX/eCOzSvSNNcSKm5eVwTkOBzoktEfXsa9L23J/GIRhxRsaxzkPEhrJEpE2F4Gg==} - engines: {node: '>= 10'} - requiresBuild: true + make-fetch-happen@9.1.0: dependencies: agentkeepalive: 4.5.0 cacache: 15.3.0 @@ -9199,20 +12097,13 @@ packages: transitivePeerDependencies: - bluebird - supports-color - dev: false optional: true - /matcher@3.0.0: - resolution: {integrity: sha512-OkeDaAZ/bQCxeFAozM55PKcKU0yJMPGifLwV4Qgjitu+5MoAfSQN4lsLJeXZ1b8w0x+/Emda6MZgXS1jvsapng==} - engines: {node: '>=10'} + matcher@3.0.0: dependencies: escape-string-regexp: 4.0.0 - dev: false - /mathjs@13.1.1: - resolution: {integrity: sha512-duaSAy7m4F+QtP1Dyv8MX2XuxcqpNDDlGly0SdVTCqpAmwdOFWilDdQKbLdo9RfD6IDNMOdo9tIsEaTXkconlQ==} - engines: {node: '>= 18'} - hasBin: true + mathjs@13.1.1: dependencies: '@babel/runtime': 7.25.6 complex.js: 2.1.1 @@ -9223,28 +12114,18 @@ packages: seedrandom: 3.0.5 tiny-emitter: 2.1.0 typed-function: 4.2.1 - dev: false - /md5.js@1.3.5: - resolution: {integrity: sha512-xitP+WxNPcTTOgnTJcrhM0xvdPepipPSf3I8EIpGKeFLjt3PlJLIDG3u8EX53ZIubkb+5U2+3rELYpEhHhzdkg==} + md5.js@1.3.5: dependencies: hash-base: 3.1.0 inherits: 2.0.4 safe-buffer: 5.2.1 - dev: false - /mdn-data@2.0.30: - resolution: {integrity: sha512-GaqWWShW4kv/G9IEucWScBx9G1/vsFZZJUO+tD26M8J8z3Kw5RDQjaoZe03YAClgeS/SWPOcb4nkFBTEi5DUEA==} - dev: false + mdn-data@2.0.30: {} - /media-typer@0.3.0: - resolution: {integrity: sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==} - engines: {node: '>= 0.6'} - dev: false + media-typer@0.3.0: {} - /memdown@5.1.0: - resolution: {integrity: sha512-B3J+UizMRAlEArDjWHTMmadet+UKwHd3UjMgGBkZcKAxAYVPS9o0Yeiha4qvz7iGiL2Sb3igUft6p7nbFWctpw==} - engines: {node: '>=6'} + memdown@5.1.0: dependencies: abstract-leveldown: 6.2.3 functional-red-black-tree: 1.0.1 @@ -9252,10 +12133,8 @@ packages: inherits: 2.0.4 ltgt: 2.2.1 safe-buffer: 5.2.1 - dev: false - /memoizee@0.4.15: - resolution: {integrity: sha512-UBWmJpLZd5STPm7PMUlOw/TSy972M+z8gcyQ5veOnSDRREz/0bmpyTfKt3/51DhEBqCZQn1udM/5flcSPYhkdQ==} + memoizee@0.4.15: dependencies: d: 1.0.2 es5-ext: 0.10.64 @@ -9265,28 +12144,16 @@ packages: lru-queue: 0.1.0 next-tick: 1.1.0 timers-ext: 0.1.8 - dev: false - /memorystream@0.3.1: - resolution: {integrity: sha512-S3UwM3yj5mtUSEfP41UZmt/0SCoVYUcU1rkXv+BQ5Ig8ndL4sPoJNBUJERafdPb5jjHJGuMgytgKvKIf58XNBw==} - engines: {node: '>= 0.10.0'} - dev: false + memorystream@0.3.1: {} - /merge-descriptors@1.0.1: - resolution: {integrity: sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==} - dev: false + merge-descriptors@1.0.1: {} - /merge-stream@2.0.0: - resolution: {integrity: sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==} - dev: false + merge-stream@2.0.0: {} - /merge2@1.4.1: - resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==} - engines: {node: '>= 8'} - dev: true + merge2@1.4.1: {} - /merkle-patricia-tree@4.2.4: - resolution: {integrity: sha512-eHbf/BG6eGNsqqfbLED9rIqbsF4+sykEaBn6OLNs71tjclbMcMOk1tEPmJKcNcNCLkvbpY/lwyOlizWsqPNo8w==} + merkle-patricia-tree@4.2.4: dependencies: '@types/levelup': 4.3.3 ethereumjs-util: 7.1.5 @@ -9294,237 +12161,128 @@ packages: level-ws: 2.0.0 readable-stream: 3.6.2 semaphore-async-await: 1.5.1 - dev: false - /methods@1.1.2: - resolution: {integrity: sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==} - engines: {node: '>= 0.6'} - dev: false + methods@1.1.2: {} - /micro-ftch@0.3.1: - resolution: {integrity: sha512-/0LLxhzP0tfiR5hcQebtudP56gUurs2CLkGarnCiB/OqEyUFQ6U3paQi/tgLv0hBJYt2rnr9MNpxz4fiiugstg==} - dev: false + micro-ftch@0.3.1: {} - /micromatch@4.0.7: - resolution: {integrity: sha512-LPP/3KorzCwBxfeUuZmaR6bG2kdeHSbe0P2tY3FLRU4vYrjYz5hI4QZwV0njUx3jeuKe67YukQ1LSPZBKDqO/Q==} - engines: {node: '>=8.6'} + micromatch@4.0.7: dependencies: braces: 3.0.3 picomatch: 2.3.1 - dev: true - /mime-db@1.52.0: - resolution: {integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==} - engines: {node: '>= 0.6'} - dev: false + mime-db@1.52.0: {} - /mime-types@2.1.35: - resolution: {integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==} - engines: {node: '>= 0.6'} + mime-types@2.1.35: dependencies: mime-db: 1.52.0 - dev: false - /mime@1.6.0: - resolution: {integrity: sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==} - engines: {node: '>=4'} - hasBin: true - dev: false + mime@1.6.0: {} - /mimic-fn@2.1.0: - resolution: {integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==} - engines: {node: '>=6'} - dev: false + mimic-fn@2.1.0: {} - /mimic-response@1.0.1: - resolution: {integrity: sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ==} - engines: {node: '>=4'} - dev: false + mimic-response@1.0.1: {} - /mimic-response@3.1.0: - resolution: {integrity: sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==} - engines: {node: '>=10'} - dev: false + mimic-response@3.1.0: {} - /min-document@2.19.0: - resolution: {integrity: sha512-9Wy1B3m3f66bPPmU5hdA4DR4PB2OfDU/+GS3yAB7IQozE3tqXaVv2zOjgla7MEGSRv95+ILmOuvhLkOK6wJtCQ==} + min-document@2.19.0: dependencies: dom-walk: 0.1.2 - dev: false - /minimalistic-assert@1.0.1: - resolution: {integrity: sha512-UtJcAD4yEaGtjPezWuO9wC4nwUnVH/8/Im3yEHQP4b67cXlD/Qr9hdITCU1xDbSEXg2XKNaP8jsReV7vQd00/A==} - dev: false + minimalistic-assert@1.0.1: {} - /minimalistic-crypto-utils@1.0.1: - resolution: {integrity: sha512-JIYlbt6g8i5jKfJ3xz7rF0LXmv2TkDxBLUkiBeZ7bAx4GnnNMr8xFpGnOxn6GhTEHx3SjRrZEoU+j04prX1ktg==} - dev: false + minimalistic-crypto-utils@1.0.1: {} - /minimatch@3.1.2: - resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==} + minimatch@3.1.2: dependencies: brace-expansion: 1.1.11 - /minimatch@5.0.1: - resolution: {integrity: sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g==} - engines: {node: '>=10'} + minimatch@5.0.1: dependencies: brace-expansion: 2.0.1 - dev: false - - /minimatch@5.1.6: - resolution: {integrity: sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g==} - engines: {node: '>=10'} + + minimatch@5.1.6: dependencies: brace-expansion: 2.0.1 - dev: false - /minimatch@9.0.3: - resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==} - engines: {node: '>=16 || 14 >=14.17'} + minimatch@9.0.3: dependencies: brace-expansion: 2.0.1 - dev: true - /minimatch@9.0.5: - resolution: {integrity: sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==} - engines: {node: '>=16 || 14 >=14.17'} + minimatch@9.0.5: dependencies: brace-expansion: 2.0.1 - dev: false - /minimist@1.2.8: - resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==} - dev: false + minimist@1.2.8: {} - /minipass-collect@1.0.2: - resolution: {integrity: sha512-6T6lH0H8OG9kITm/Jm6tdooIbogG9e0tLgpY6mphXSm/A9u8Nq1ryBG+Qspiub9LjWlBPsPS3tWQ/Botq4FdxA==} - engines: {node: '>= 8'} - requiresBuild: true + minipass-collect@1.0.2: dependencies: minipass: 3.3.6 - dev: false optional: true - /minipass-fetch@1.4.1: - resolution: {integrity: sha512-CGH1eblLq26Y15+Azk7ey4xh0J/XfJfrCox5LDJiKqI2Q2iwOLOKrlmIaODiSQS8d18jalF6y2K2ePUm0CmShw==} - engines: {node: '>=8'} - requiresBuild: true + minipass-fetch@1.4.1: dependencies: minipass: 3.3.6 minipass-sized: 1.0.3 minizlib: 2.1.2 optionalDependencies: encoding: 0.1.13 - dev: false optional: true - /minipass-flush@1.0.5: - resolution: {integrity: sha512-JmQSYYpPUqX5Jyn1mXaRwOda1uQ8HP5KAT/oDSLCzt1BYRhQU0/hDtsB1ufZfEEzMZ9aAVmsBw8+FWsIXlClWw==} - engines: {node: '>= 8'} - requiresBuild: true + minipass-flush@1.0.5: dependencies: minipass: 3.3.6 - dev: false optional: true - /minipass-pipeline@1.2.4: - resolution: {integrity: sha512-xuIq7cIOt09RPRJ19gdi4b+RiNvDFYe5JH+ggNvBqGqpQXcru3PcRmOZuHBKWK1Txf9+cQ+HMVN4d6z46LZP7A==} - engines: {node: '>=8'} - requiresBuild: true + minipass-pipeline@1.2.4: dependencies: minipass: 3.3.6 - dev: false optional: true - /minipass-sized@1.0.3: - resolution: {integrity: sha512-MbkQQ2CTiBMlA2Dm/5cY+9SWFEN8pzzOXi6rlM5Xxq0Yqbda5ZQy9sU75a673FE9ZK0Zsbr6Y5iP6u9nktfg2g==} - engines: {node: '>=8'} - requiresBuild: true + minipass-sized@1.0.3: dependencies: minipass: 3.3.6 - dev: false optional: true - /minipass@2.9.0: - resolution: {integrity: sha512-wxfUjg9WebH+CUDX/CdbRlh5SmfZiy/hpkxaRI16Y9W56Pa75sWgd/rvFilSgrauD9NyFymP/+JFV3KwzIsJeg==} + minipass@2.9.0: dependencies: safe-buffer: 5.2.1 yallist: 3.1.1 - dev: false - /minipass@3.3.6: - resolution: {integrity: sha512-DxiNidxSEK+tHG6zOIklvNOwm3hvCrbUrdtzY74U6HKTJxvIDfOUL5W5P2Ghd3DTkhhKPYGqeNUIh5qcM4YBfw==} - engines: {node: '>=8'} + minipass@3.3.6: dependencies: yallist: 4.0.0 - dev: false - /minipass@5.0.0: - resolution: {integrity: sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==} - engines: {node: '>=8'} - dev: false + minipass@5.0.0: {} - /minipass@7.1.2: - resolution: {integrity: sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==} - engines: {node: '>=16 || 14 >=14.17'} - dev: false + minipass@7.1.2: {} - /minizlib@1.3.3: - resolution: {integrity: sha512-6ZYMOEnmVsdCeTJVE0W9ZD+pVnE8h9Hma/iOwwRDsdQoePpoX56/8B6z3P9VNwppJuBKNRuFDRNRqRWexT9G9Q==} + minizlib@1.3.3: dependencies: minipass: 2.9.0 - dev: false - /minizlib@2.1.2: - resolution: {integrity: sha512-bAxsR8BVfj60DWXHE3u30oHzfl4G7khkSuPW+qvpd7jFRHm7dLxOjUk1EHACJ/hxLY8phGJ0YhYHZo7jil7Qdg==} - engines: {node: '>= 8'} + minizlib@2.1.2: dependencies: minipass: 3.3.6 yallist: 4.0.0 - dev: false - /mkdirp-classic@0.5.3: - resolution: {integrity: sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==} - dev: false + mkdirp-classic@0.5.3: {} - /mkdirp-promise@5.0.1: - resolution: {integrity: sha512-Hepn5kb1lJPtVW84RFT40YG1OddBNTOVUZR2bzQUHc+Z03en8/3uX0+060JDhcEzyO08HmipsN9DcnFMxhIL9w==} - engines: {node: '>=4'} - deprecated: This package is broken and no longer maintained. 'mkdirp' itself supports promises now, please switch to that. + mkdirp-promise@5.0.1: dependencies: mkdirp: 3.0.1 - dev: false - /mkdirp@0.5.6: - resolution: {integrity: sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==} - hasBin: true + mkdirp@0.5.6: dependencies: minimist: 1.2.8 - dev: false - /mkdirp@1.0.4: - resolution: {integrity: sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==} - engines: {node: '>=10'} - hasBin: true - dev: false + mkdirp@1.0.4: {} - /mkdirp@2.1.6: - resolution: {integrity: sha512-+hEnITedc8LAtIP9u3HJDFIdcLV2vXP33sqLLIzkv1Db1zO/1OxbvYf0Y1OC/S/Qo5dxHXepofhmxL02PsKe+A==} - engines: {node: '>=10'} - hasBin: true - dev: false + mkdirp@2.1.6: {} - /mkdirp@3.0.1: - resolution: {integrity: sha512-+NsyUUAZDmo6YVHzL/stxSu3t9YS1iljliy3BSDrXJ/dkn1KYdmtZODGGjLcc9XLgVVpH4KshHB8XmZgMhaBXg==} - engines: {node: '>=10'} - hasBin: true - dev: false + mkdirp@3.0.1: {} - /mocha@10.2.0: - resolution: {integrity: sha512-IDY7fl/BecMwFHzoqF2sg/SHHANeBoMMXFlS9r0OXKDssYE1M5O43wUY/9BVPeIvfH2zmEbBfseqN9gBQZzXkg==} - engines: {node: '>= 14.0.0'} - hasBin: true + mocha@10.2.0: dependencies: ansi-colors: 4.1.1 browser-stdout: 1.3.1 @@ -9547,12 +12305,8 @@ packages: yargs: 16.2.0 yargs-parser: 20.2.4 yargs-unparser: 2.0.0 - dev: false - /mocha@10.6.0: - resolution: {integrity: sha512-hxjt4+EEB0SA0ZDygSS015t65lJw/I2yRCS3Ae+SJ5FrbzrXgfYwJr96f0OvIXdj7h4lv/vLCrH3rkiuizFSvw==} - engines: {node: '>= 14.0.0'} - hasBin: true + mocha@10.6.0: dependencies: ansi-colors: 4.1.3 browser-stdout: 1.3.1 @@ -9574,19 +12328,12 @@ packages: yargs: 16.2.0 yargs-parser: 20.2.9 yargs-unparser: 2.0.0 - dev: false - /mock-fs@4.14.0: - resolution: {integrity: sha512-qYvlv/exQ4+svI3UOvPUpLDF0OMX5euvUH0Ny4N5QyRyhNdgAgUrVH3iUINSzEPLvx0kbo/Bp28GJKIqvE7URw==} - dev: false + mock-fs@4.14.0: {} - /mock-socket@9.3.1: - resolution: {integrity: sha512-qxBgB7Qa2sEQgHFjj0dSigq7fX4k6Saisd5Nelwp2q8mlbAFh5dHV9JTTlF8viYJLSSWgMCZFUom8PJcMNBoJw==} - engines: {node: '>= 8'} - dev: false + mock-socket@9.3.1: {} - /moonbeam-types-bundle@2.0.10: - resolution: {integrity: sha512-QDk/ktioLqDQCOLUu/+FyyF3UYWdKOqqa6q1vwI75pdKBg5elNpRXugEC1irzkLolTanvMRc2rO+qarT9ijjyg==} + moonbeam-types-bundle@2.0.10: dependencies: '@polkadot/api': 9.14.2 typescript: 4.9.5 @@ -9594,227 +12341,116 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /mrmime@2.0.0: - resolution: {integrity: sha512-eu38+hdgojoyq63s+yTpN4XMBdt5l8HhMhc4VKLO9KM5caLIBvUm4thi7fFaxyTmCKeNnXZ5pAlBwCUnhA09uw==} - engines: {node: '>=10'} - dev: false + mrmime@2.0.0: {} - /ms@2.0.0: - resolution: {integrity: sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==} - dev: false + ms@2.0.0: {} - /ms@2.1.2: - resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==} - dev: false + ms@2.1.2: {} - /ms@2.1.3: - resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==} + ms@2.1.3: {} - /multibase@0.6.1: - resolution: {integrity: sha512-pFfAwyTjbbQgNc3G7D48JkJxWtoJoBMaR4xQUOuB8RnCgRqaYmWNFeJTTvrJ2w51bjLq2zTby6Rqj9TQ9elSUw==} - deprecated: This module has been superseded by the multiformats module + multibase@0.6.1: dependencies: base-x: 3.0.10 buffer: 5.7.1 - dev: false - /multibase@0.7.0: - resolution: {integrity: sha512-TW8q03O0f6PNFTQDvh3xxH03c8CjGaaYrjkl9UQPG6rz53TQzzxJVCIWVjzcbN/Q5Y53Zd0IBQBMVktVgNx4Fg==} - deprecated: This module has been superseded by the multiformats module + multibase@0.7.0: dependencies: base-x: 3.0.10 buffer: 5.7.1 - dev: false - /multicodec@0.5.7: - resolution: {integrity: sha512-PscoRxm3f+88fAtELwUnZxGDkduE2HD9Q6GHUOywQLjOGT/HAdhjLDYNZ1e7VR0s0TP0EwZ16LNUTFpoBGivOA==} - deprecated: This module has been superseded by the multiformats module + multicodec@0.5.7: dependencies: varint: 5.0.2 - dev: false - /multicodec@1.0.4: - resolution: {integrity: sha512-NDd7FeS3QamVtbgfvu5h7fd1IlbaC4EQ0/pgU4zqE2vdHCmBGsUa0TiM8/TdSeG6BMPC92OOCf8F1ocE/Wkrrg==} - deprecated: This module has been superseded by the multiformats module + multicodec@1.0.4: dependencies: buffer: 5.7.1 varint: 5.0.2 - dev: false - /multiformats@9.9.0: - resolution: {integrity: sha512-HoMUjhH9T8DDBNT+6xzkrd9ga/XiBI4xLr58LJACwK6G3HTOPeMz4nB4KJs33L2BelrIJa7P0VuNaVF3hMYfjg==} - dev: false + multiformats@9.9.0: {} - /multihashes@0.4.21: - resolution: {integrity: sha512-uVSvmeCWf36pU2nB4/1kzYZjsXD9vofZKpgudqkceYY5g2aZZXJ5r9lxuzoRLl1OAp28XljXsEJ/X/85ZsKmKw==} + multihashes@0.4.21: dependencies: buffer: 5.7.1 multibase: 0.7.0 varint: 5.0.2 - dev: false - /mute-stream@1.0.0: - resolution: {integrity: sha512-avsJQhyd+680gKXyG/sQc0nXaC6rBkPOfyHYcFb9+hdkqQkR9bdnkJ0AMZhke0oesPqIO+mFFJ+IdBc7mst4IA==} - engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0} - dev: false + mute-stream@1.0.0: {} - /mz@2.7.0: - resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==} + mz@2.7.0: dependencies: any-promise: 1.3.0 object-assign: 4.1.1 thenify-all: 1.6.0 - dev: false - /nano-json-stream-parser@0.1.2: - resolution: {integrity: sha512-9MqxMH/BSJC7dnLsEMPyfN5Dvoo49IsPFYMcHw3Bcfc2kN0lpHRBSzlMSVx4HGyJ7s9B31CyBTVehWJoQ8Ctew==} - dev: false + nano-json-stream-parser@0.1.2: {} - /nanoid@3.3.3: - resolution: {integrity: sha512-p1sjXuopFs0xg+fPASzQ28agW1oHD7xDsd9Xkf3T15H3c/cifrFHVwrh74PdoklAPi+i7MdRsE47vm2r6JoB+w==} - engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} - hasBin: true - dev: false + nanoid@3.3.3: {} - /nanoid@3.3.7: - resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==} - engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} - hasBin: true - dev: false + nanoid@3.3.7: {} - /napi-build-utils@1.0.2: - resolution: {integrity: sha512-ONmRUqK7zj7DWX0D9ADe03wbwOBZxNAfF20PlGfCWQcD3+/MakShIHrMqx9YwPTfxDdF1zLeL+RGZiR9kGMLdg==} - dev: false + napi-build-utils@1.0.2: {} - /napi-maybe-compressed-blob-darwin-arm64@0.0.11: - resolution: {integrity: sha512-hZ9ye4z8iMDVPEnx9A/Ag6k7xHX/BcK5Lntw/VANBUm9ioLSuRvHTALG4XaqVDGXo4U2NFDwSLRDyhFPYvqckQ==} - engines: {node: '>= 10'} - cpu: [arm64] - os: [darwin] - requiresBuild: true - dev: false + napi-maybe-compressed-blob-darwin-arm64@0.0.11: optional: true - /napi-maybe-compressed-blob-darwin-x64@0.0.11: - resolution: {integrity: sha512-TqWNP7Vehi73xLXyUGjdLppP0W6T0Ef2D/X9HmAZNwglt+MkTujX10CDODfbFWvGy+NkaC5XqnzxCn19wbZZcA==} - engines: {node: '>= 10'} - cpu: [x64] - os: [darwin] - requiresBuild: true - dev: false + napi-maybe-compressed-blob-darwin-x64@0.0.11: optional: true - /napi-maybe-compressed-blob-linux-arm64-gnu@0.0.11: - resolution: {integrity: sha512-7D5w6MDZghcb3VtXRg2ShCEh9Z3zMeBVRG4xsMulEWT2j9/09Nopu+9KfI/2ngRvm78MniWSIlqds5PRAlCROA==} - engines: {node: '>= 10'} - cpu: [arm64] - os: [linux] - requiresBuild: true - dev: false + napi-maybe-compressed-blob-linux-arm64-gnu@0.0.11: optional: true - /napi-maybe-compressed-blob-linux-x64-gnu@0.0.11: - resolution: {integrity: sha512-JKY8KcZpQtKiL1smMKfukcOmsDVeZaw9fKXKsWC+wySc2wsvH7V2wy8PffSQ0lWERkI7Yn3k7xPjB463m/VNtg==} - engines: {node: '>= 10'} - cpu: [x64] - os: [linux] - requiresBuild: true - dev: false + napi-maybe-compressed-blob-linux-x64-gnu@0.0.11: optional: true - /napi-maybe-compressed-blob@0.0.11: - resolution: {integrity: sha512-1dj4ET34TfEes0+josVLvwpJe337Jk6txd3XUjVmVs3budSo2eEjvN6pX4myYE1pS4x/k2Av57n/ypRl2u++AQ==} - engines: {node: '>= 10'} + napi-maybe-compressed-blob@0.0.11: optionalDependencies: napi-maybe-compressed-blob-darwin-arm64: 0.0.11 napi-maybe-compressed-blob-darwin-x64: 0.0.11 napi-maybe-compressed-blob-linux-arm64-gnu: 0.0.11 napi-maybe-compressed-blob-linux-x64-gnu: 0.0.11 - dev: false - /natural-compare@1.4.0: - resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==} - dev: true + natural-compare@1.4.0: {} - /negotiator@0.6.3: - resolution: {integrity: sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==} - engines: {node: '>= 0.6'} - dev: false + negotiator@0.6.3: {} - /next-tick@1.1.0: - resolution: {integrity: sha512-CXdUiJembsNjuToQvxayPZF9Vqht7hewsvy2sOWafLvi2awflj9mOC6bHIg50orX8IJvWKY9wYQ/zB2kogPslQ==} - dev: false + next-tick@1.1.0: {} - /nock@13.5.4: - resolution: {integrity: sha512-yAyTfdeNJGGBFxWdzSKCBYxs5FxLbCg5X5Q4ets974hcQzG1+qCxvIyOo4j2Ry6MUlhWVMX4OoYDefAIIwupjw==} - engines: {node: '>= 10.13'} + nock@13.5.4: dependencies: debug: 4.3.7(supports-color@8.1.1) json-stringify-safe: 5.0.1 propagate: 2.0.1 transitivePeerDependencies: - supports-color - dev: false - /node-abi@3.65.0: - resolution: {integrity: sha512-ThjYBfoDNr08AWx6hGaRbfPwxKV9kVzAzOzlLKbk2CuqXE2xnCh+cbAGnwM3t8Lq4v9rUB7VfondlkBckcJrVA==} - engines: {node: '>=10'} + node-abi@3.65.0: dependencies: semver: 7.6.3 - dev: false - /node-addon-api@2.0.2: - resolution: {integrity: sha512-Ntyt4AIXyaLIuMHF6IOoTakB3K+RWxwtsHNRxllEoA6vPwP9o4866g6YWDLUdnucilZhmkxiHwHr11gAENw+QA==} - dev: false + node-addon-api@2.0.2: {} - /node-addon-api@7.1.0: - resolution: {integrity: sha512-mNcltoe1R8o7STTegSOHdnJNN7s5EUvhoS7ShnTHDyOSd+8H+UdWODq6qSv67PjC8Zc5JRT8+oLAMCr0SIXw7g==} - engines: {node: ^16 || ^18 || >= 20} - dev: false + node-addon-api@7.1.0: {} - /node-domexception@1.0.0: - resolution: {integrity: sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ==} - engines: {node: '>=10.5.0'} - dev: false + node-domexception@1.0.0: {} - /node-fetch@2.7.0: - resolution: {integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==} - engines: {node: 4.x || >=6.0.0} - peerDependencies: - encoding: ^0.1.0 - peerDependenciesMeta: - encoding: - optional: true + node-fetch@2.7.0: dependencies: whatwg-url: 5.0.0 - dev: false - /node-fetch@3.3.2: - resolution: {integrity: sha512-dRB78srN/l6gqWulah9SrxeYnxeddIG30+GOqK/9OlLVyLg3HPnr6SqOWTWOXKRwC2eGYCkZ59NNuSgvSrpgOA==} - engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + node-fetch@3.3.2: dependencies: data-uri-to-buffer: 4.0.1 fetch-blob: 3.2.0 formdata-polyfill: 4.0.10 - dev: false - /node-forge@1.3.1: - resolution: {integrity: sha512-dPEtOeMvF9VMcYV/1Wb8CPoVAXtp6MKMlcbAt4ddqmGqUJ6fQZFXkNZNkNlfevtNkGtaSoXf/vNNNSvgrdXwtA==} - engines: {node: '>= 6.13.0'} - dev: false + node-forge@1.3.1: {} - /node-gyp-build@4.8.1: - resolution: {integrity: sha512-OSs33Z9yWr148JZcbZd5WiAXhh/n9z8TxQcdMhIOlpN9AhWpLfvVFO73+m77bBABQMaY9XSvIa+qk0jlI7Gcaw==} - hasBin: true - dev: false + node-gyp-build@4.8.1: {} - /node-gyp@8.4.1: - resolution: {integrity: sha512-olTJRgUtAb/hOXG0E93wZDs5YiJlgbXxTwQAFHyNlRsXQnYzUaF2aGgujZbw+hR8aF4ZG/rST57bWMWD16jr9w==} - engines: {node: '>= 10.12.0'} - hasBin: true - requiresBuild: true + node-gyp@8.4.1: dependencies: env-paths: 2.2.1 glob: 7.2.3 @@ -9829,118 +12465,65 @@ packages: transitivePeerDependencies: - bluebird - supports-color - dev: false optional: true - /nopt@5.0.0: - resolution: {integrity: sha512-Tbj67rffqceeLpcRXrT7vKAN8CwfPeIBgM7E6iBkmKLV7bEMwpGgYLGv0jACUsECaa/vuxP0IjEont6umdMgtQ==} - engines: {node: '>=6'} - hasBin: true - requiresBuild: true + nopt@5.0.0: dependencies: abbrev: 1.1.1 - dev: false optional: true - /normalize-path@3.0.0: - resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==} - engines: {node: '>=0.10.0'} - dev: false + normalize-path@3.0.0: {} - /normalize-url@6.1.0: - resolution: {integrity: sha512-DlL+XwOy3NxAQ8xuC0okPgK46iuVNAK01YN7RueYBqqFeGsBjV9XmCAzAdgt+667bCl5kPh9EqKKDwnaPG1I7A==} - engines: {node: '>=10'} - dev: false + normalize-url@6.1.0: {} - /npm-run-path@4.0.1: - resolution: {integrity: sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==} - engines: {node: '>=8'} + npm-run-path@4.0.1: dependencies: path-key: 3.1.1 - dev: false - /npmlog@6.0.2: - resolution: {integrity: sha512-/vBvz5Jfr9dT/aFWd0FIRf+T/Q2WBsLENygUaFUqstqsycmZAP/t5BvFJTK0viFmSUxiUKTUplWy5vt+rvKIxg==} - engines: {node: ^12.13.0 || ^14.15.0 || >=16.0.0} - deprecated: This package is no longer supported. - requiresBuild: true + npmlog@6.0.2: dependencies: are-we-there-yet: 3.0.1 console-control-strings: 1.1.0 gauge: 4.0.4 set-blocking: 2.0.0 - dev: false optional: true - /number-to-bn@1.7.0: - resolution: {integrity: sha512-wsJ9gfSz1/s4ZsJN01lyonwuxA1tml6X1yBDnfpMglypcBRFZZkus26EdPSlqS5GJfYddVZa22p3VNb3z5m5Ig==} - engines: {node: '>=6.5.0', npm: '>=3'} + number-to-bn@1.7.0: dependencies: bn.js: 4.11.6 strip-hex-prefix: 1.0.0 - dev: false - /nunjucks@3.2.4: - resolution: {integrity: sha512-26XRV6BhkgK0VOxfbU5cQI+ICFUtMLixv1noZn1tGU38kQH5A5nmmbk/O45xdyBhD1esk47nKrY0mvQpZIhRjQ==} - engines: {node: '>= 6.9.0'} - hasBin: true - peerDependencies: - chokidar: ^3.3.0 - peerDependenciesMeta: - chokidar: - optional: true + nunjucks@3.2.4: dependencies: a-sync-waterfall: 1.0.1 asap: 2.0.6 commander: 5.1.0 - dev: false - /oauth-sign@0.9.0: - resolution: {integrity: sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ==} - dev: false + oauth-sign@0.9.0: {} - /object-assign@4.1.1: - resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==} - engines: {node: '>=0.10.0'} - dev: false + object-assign@4.1.1: {} - /object-inspect@1.13.2: - resolution: {integrity: sha512-IRZSRuzJiynemAXPYtPe5BoI/RESNYR7TYm50MC5Mqbd3Jmw5y790sErYw3V6SryFJD64b74qQQs9wn5Bg/k3g==} - engines: {node: '>= 0.4'} - dev: false + object-inspect@1.13.2: {} - /object-is@1.1.6: - resolution: {integrity: sha512-F8cZ+KfGlSGi09lJT7/Nd6KJZ9ygtvYC0/UYYLI9nmQKLMnydpB9yvbv9K1uSkEu7FU9vYPmVwLg328tX+ot3Q==} - engines: {node: '>= 0.4'} + object-is@1.1.6: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 - dev: false - /object-keys@1.1.1: - resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==} - engines: {node: '>= 0.4'} - dev: false + object-keys@1.1.1: {} - /object.assign@4.1.5: - resolution: {integrity: sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ==} - engines: {node: '>= 0.4'} + object.assign@4.1.5: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 has-symbols: 1.0.3 object-keys: 1.1.1 - dev: false - /oboe@2.1.5: - resolution: {integrity: sha512-zRFWiF+FoicxEs3jNI/WYUrVEgA7DeET/InK0XQuudGHRg8iIob3cNPrJTKaz4004uaA9Pbe+Dwa8iluhjLZWA==} + oboe@2.1.5: dependencies: http-https: 1.0.0 - dev: false - /octokit@4.0.2: - resolution: {integrity: sha512-wbqF4uc1YbcldtiBFfkSnquHtECEIpYD78YUXI6ri1Im5OO2NLo6ZVpRdbJpdnpZ05zMrVPssNiEo6JQtea+Qg==} - engines: {node: '>= 18'} + octokit@4.0.2: dependencies: '@octokit/app': 15.0.1 '@octokit/core': 6.1.2 @@ -9952,35 +12535,22 @@ packages: '@octokit/plugin-throttling': 9.3.0(@octokit/core@6.1.2) '@octokit/request-error': 6.1.1 '@octokit/types': 13.5.0 - dev: false - /on-exit-leak-free@2.1.2: - resolution: {integrity: sha512-0eJJY6hXLGf1udHwfNftBqH+g73EU4B504nZeKpz1sYRKafAghwxEJunB2O7rDZkL4PGfsMVnTXZ2EjibbqcsA==} - engines: {node: '>=14.0.0'} - dev: false + on-exit-leak-free@2.1.2: {} - /on-finished@2.4.1: - resolution: {integrity: sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==} - engines: {node: '>= 0.8'} + on-finished@2.4.1: dependencies: ee-first: 1.1.1 - dev: false - /once@1.4.0: - resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==} + once@1.4.0: dependencies: wrappy: 1.0.2 - /onetime@5.1.2: - resolution: {integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==} - engines: {node: '>=6'} + onetime@5.1.2: dependencies: mimic-fn: 2.1.0 - dev: false - /optionator@0.9.4: - resolution: {integrity: sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==} - engines: {node: '>= 0.8.0'} + optionator@0.9.4: dependencies: deep-is: 0.1.4 fast-levenshtein: 2.0.6 @@ -9988,11 +12558,8 @@ packages: prelude-ls: 1.2.1 type-check: 0.4.0 word-wrap: 1.2.5 - dev: true - /ora@5.4.1: - resolution: {integrity: sha512-5b6Y85tPxZZ7QytO+BQzysW31HJku27cRIlkbAXaNx+BdcVi+LlRFmVXzeF6a7JCwJpyw5c4b+YSVImQIrBpuQ==} - engines: {node: '>=10'} + ora@5.4.1: dependencies: bl: 4.1.0 chalk: 4.1.2 @@ -10003,11 +12570,8 @@ packages: log-symbols: 4.1.0 strip-ansi: 6.0.1 wcwidth: 1.0.1 - dev: false - /ora@6.3.1: - resolution: {integrity: sha512-ERAyNnZOfqM+Ao3RAvIXkYh5joP220yf59gVe2X/cI6SiCxIdi4c9HZKZD8R6q/RDXEje1THBju6iExiSsgJaQ==} - engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + ora@6.3.1: dependencies: chalk: 5.3.0 cli-cursor: 4.0.0 @@ -10018,179 +12582,101 @@ packages: stdin-discarder: 0.1.0 strip-ansi: 7.1.0 wcwidth: 1.0.1 - dev: false - /os-tmpdir@1.0.2: - resolution: {integrity: sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==} - engines: {node: '>=0.10.0'} - dev: false + os-tmpdir@1.0.2: {} - /p-cancelable@2.1.1: - resolution: {integrity: sha512-BZOr3nRQHOntUjTrH8+Lh54smKHoHyur8We1V8DSMVrl5A2malOOwuJRnKRDjSnkoeBh4at6BwEnb5I7Jl31wg==} - engines: {node: '>=8'} - dev: false + p-cancelable@2.1.1: {} - /p-cancelable@3.0.0: - resolution: {integrity: sha512-mlVgR3PGuzlo0MmTdk4cXqXWlwQDLnONTAg6sm62XkMJEiRxN3GL3SffkYvqwonbkJBcrI7Uvv5Zh9yjvn2iUw==} - engines: {node: '>=12.20'} - dev: false + p-cancelable@3.0.0: {} - /p-limit@3.1.0: - resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==} - engines: {node: '>=10'} + p-limit@3.1.0: dependencies: yocto-queue: 0.1.0 - /p-locate@5.0.0: - resolution: {integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==} - engines: {node: '>=10'} + p-locate@5.0.0: dependencies: p-limit: 3.1.0 - /p-map@4.0.0: - resolution: {integrity: sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==} - engines: {node: '>=10'} - requiresBuild: true + p-map@4.0.0: dependencies: aggregate-error: 3.1.0 - dev: false optional: true - /package-json-from-dist@1.0.0: - resolution: {integrity: sha512-dATvCeZN/8wQsGywez1mzHtTlP22H8OEfPrVMLNr4/eGa+ijtLn/6M5f0dY8UKNrC2O9UCU6SSoG3qRKnt7STw==} - dev: false + package-json-from-dist@1.0.0: {} - /pako@2.1.0: - resolution: {integrity: sha512-w+eufiZ1WuJYgPXbV/PO3NCMEc3xqylkKHzp8bxp1uW4qaSNQUkwmLLEc3kKsfz8lpV1F8Ht3U1Cm+9Srog2ug==} - dev: false + pako@2.1.0: {} - /parent-module@1.0.1: - resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==} - engines: {node: '>=6'} + parent-module@1.0.1: dependencies: callsites: 3.1.0 - dev: true - /parse-headers@2.0.5: - resolution: {integrity: sha512-ft3iAoLOB/MlwbNXgzy43SWGP6sQki2jQvAyBg/zDFAgr9bfNWZIUj42Kw2eJIl8kEi4PbgE6U1Zau/HwI75HA==} - dev: false + parse-headers@2.0.5: {} - /parse5-htmlparser2-tree-adapter@6.0.1: - resolution: {integrity: sha512-qPuWvbLgvDGilKc5BoicRovlT4MtYT6JfJyBOMDsKoiT+GiuP5qyrPCnR9HcPECIJJmZh5jRndyNThnhhb/vlA==} + parse5-htmlparser2-tree-adapter@6.0.1: dependencies: parse5: 6.0.1 - dev: false - /parse5@5.1.1: - resolution: {integrity: sha512-ugq4DFI0Ptb+WWjAdOK16+u/nHfiIrcE+sh8kZMaM0WllQKLI9rOUq6c2b7cwPkXdzfQESqvoqK6ug7U/Yyzug==} - dev: false + parse5@5.1.1: {} - /parse5@6.0.1: - resolution: {integrity: sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw==} - dev: false + parse5@6.0.1: {} - /parse5@7.1.2: - resolution: {integrity: sha512-Czj1WaSVpaoj0wbhMzLmWD69anp2WH7FXMB9n1Sy8/ZFF9jolSQVMu1Ij5WIyGmcBmhk7EOndpO4mIpihVqAXw==} + parse5@7.1.2: dependencies: entities: 4.5.0 - dev: false - /parseurl@1.3.3: - resolution: {integrity: sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==} - engines: {node: '>= 0.8'} - dev: false + parseurl@1.3.3: {} - /path-exists@4.0.0: - resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==} - engines: {node: '>=8'} + path-exists@4.0.0: {} - /path-is-absolute@1.0.1: - resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==} - engines: {node: '>=0.10.0'} + path-is-absolute@1.0.1: {} - /path-key@3.1.1: - resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==} - engines: {node: '>=8'} + path-key@3.1.1: {} - /path-scurry@1.11.1: - resolution: {integrity: sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==} - engines: {node: '>=16 || 14 >=14.18'} + path-scurry@1.11.1: dependencies: lru-cache: 10.3.0 minipass: 7.1.2 - dev: false - /path-to-regexp@0.1.7: - resolution: {integrity: sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==} - dev: false + path-to-regexp@0.1.7: {} - /path-type@4.0.0: - resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==} - engines: {node: '>=8'} - dev: true + path-type@4.0.0: {} - /pathe@1.1.2: - resolution: {integrity: sha512-whLdWMYL2TwI08hn8/ZqAbrVemu0LNaNNJZX73O6qaIdCTfXutsLhMkjdENX0qhsQ9uIimo4/aQOmXkoon2nDQ==} - dev: false + pathe@1.1.2: {} - /pathval@1.1.1: - resolution: {integrity: sha512-Dp6zGqpTdETdR63lehJYPeIOqpiNBNtc7BpWSLrOje7UaIsE5aY92r/AunQA7rsXvet3lrJ3JnZX29UPTKXyKQ==} - dev: false + pathval@1.1.1: {} - /pathval@2.0.0: - resolution: {integrity: sha512-vE7JKRyES09KiunauX7nd2Q9/L7lhok4smP9RZTDeD4MVs72Dp2qNFVz39Nz5a0FVEW0BJR6C0DYrq6unoziZA==} - engines: {node: '>= 14.16'} - dev: false + pathval@2.0.0: {} - /pbkdf2@3.1.2: - resolution: {integrity: sha512-iuh7L6jA7JEGu2WxDwtQP1ddOpaJNC4KlDEFfdQajSGgGPNi4OyDc2R7QnbY2bR9QjBVGwgvTdNJZoE7RaxUMA==} - engines: {node: '>=0.12'} + pbkdf2@3.1.2: dependencies: create-hash: 1.2.0 create-hmac: 1.1.7 ripemd160: 2.0.2 safe-buffer: 5.2.1 sha.js: 2.4.11 - dev: false - /peer-id@0.16.0: - resolution: {integrity: sha512-EmL7FurFUduU9m1PS9cfJ5TAuCvxKQ7DKpfx3Yj6IKWyBRtosriFuOag/l3ni/dtPgPLwiA4R9IvpL7hsDLJuQ==} - engines: {node: '>=15.0.0'} + peer-id@0.16.0: dependencies: class-is: 1.1.0 libp2p-crypto: 0.21.2 multiformats: 9.9.0 protobufjs: 6.11.4 uint8arrays: 3.1.1 - dev: false - /performance-now@2.1.0: - resolution: {integrity: sha512-7EAHlyLHI56VEIdK57uwHdHKIaAGbnXPiw0yWbarQZOKaKpvUIgW0jWRVLiatnM+XXlSwsanIBH/hzGMJulMow==} - dev: false + performance-now@2.1.0: {} - /picocolors@1.0.1: - resolution: {integrity: sha512-anP1Z8qwhkbmu7MFP5iTt+wQKXgwzf7zTyGlcdzabySa9vd0Xt392U0rVmz9poOaBj0uHJKyyo9/upk0HrEQew==} - dev: false + picocolors@1.0.1: {} - /picomatch@2.3.1: - resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} - engines: {node: '>=8.6'} + picomatch@2.3.1: {} - /picomatch@4.0.2: - resolution: {integrity: sha512-M7BAV6Rlcy5u+m6oPhAPFgJTzAioX/6B0DxyvDlo9l8+T3nLKbrczg2WLUyzd45L8RqfUMyGPzekbMvX2Ldkwg==} - engines: {node: '>=12'} - dev: false + picomatch@4.0.2: {} - /pino-abstract-transport@1.2.0: - resolution: {integrity: sha512-Guhh8EZfPCfH+PMXAb6rKOjGQEoy0xlAIn+irODG5kgfYV+BQ0rGYYWTIel3P5mmyXqkYkPmdIkywsn6QKUR1Q==} + pino-abstract-transport@1.2.0: dependencies: readable-stream: 4.5.2 split2: 4.2.0 - dev: false - /pino-pretty@11.2.1: - resolution: {integrity: sha512-O05NuD9tkRasFRWVaF/uHLOvoRDFD7tb5VMertr78rbsYFjYp48Vg3477EshVAF5eZaEw+OpDl/tu+B0R5o+7g==} - hasBin: true + pino-pretty@11.2.1: dependencies: colorette: 2.0.20 dateformat: 4.6.3 @@ -10206,15 +12692,10 @@ packages: secure-json-parse: 2.7.0 sonic-boom: 4.0.1 strip-json-comments: 3.1.1 - dev: false - /pino-std-serializers@6.2.2: - resolution: {integrity: sha512-cHjPPsE+vhj/tnhCy/wiMh3M3z3h/j15zHQX+S9GkTBgqJuTuJzYJ4gUyACLhDaJ7kk9ba9iRDmbH2tJU03OiA==} - dev: false + pino-std-serializers@6.2.2: {} - /pino@8.21.0: - resolution: {integrity: sha512-ip4qdzjkAyDDZklUaZkcRFb2iA118H9SgRh8yzTkSQK8HilsOJF7rSY8HoW5+I0M46AZgX/pxbprf2vvzQCE0Q==} - hasBin: true + pino@8.21.0: dependencies: atomic-sleep: 1.0.0 fast-redact: 3.5.0 @@ -10227,14 +12708,10 @@ packages: safe-stable-stringify: 2.4.3 sonic-boom: 3.8.1 thread-stream: 2.7.0 - dev: false - /pnglib@0.0.1: - resolution: {integrity: sha512-95ChzOoYLOPIyVmL+Y6X+abKGXUJlvOVLkB1QQkyXl7Uczc6FElUy/x01NS7r2GX6GRezloO/ecCX9h4U9KadA==} - dev: false + pnglib@0.0.1: {} - /pontem-types-bundle@1.0.15(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): - resolution: {integrity: sha512-PXQTwvb6QB5VW3UILU9w7du55j7hd2mZspfLPcum7XEwxhVhzH22dygd3waSNEhybTgcsV40XB4d3OIdwgaLvw==} + pontem-types-bundle@1.0.15(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): dependencies: '@polkadot/keyring': 7.9.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) '@polkadot/types': 6.12.1 @@ -10242,39 +12719,24 @@ packages: transitivePeerDependencies: - '@polkadot/util' - '@polkadot/util-crypto' - dev: false - /possible-typed-array-names@1.0.0: - resolution: {integrity: sha512-d7Uw+eZoloe0EHDIYoe+bQ5WXnGMOpmiZFTuMWCwpjzzkL2nTjcKiAk4hh8TjnGye2TwWOk3UXucZ+3rbmBa8Q==} - engines: {node: '>= 0.4'} - dev: false + possible-typed-array-names@1.0.0: {} - /postcss-value-parser@4.2.0: - resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==} - dev: false + postcss-value-parser@4.2.0: {} - /postcss@8.4.38: - resolution: {integrity: sha512-Wglpdk03BSfXkHoQa3b/oulrotAkwrlLDRSOb9D0bN86FdRyE9lppSp33aHNPgBa0JKCoB+drFLZkQoRRYae5A==} - engines: {node: ^10 || ^12 || >=14} + postcss@8.4.38: dependencies: nanoid: 3.3.7 picocolors: 1.0.1 source-map-js: 1.2.0 - dev: false - /postcss@8.4.39: - resolution: {integrity: sha512-0vzE+lAiG7hZl1/9I8yzKLx3aR9Xbof3fBHKunvMfOCYAtMhrsnccJY2iTURb9EZd5+pLuiNV9/c/GZJOHsgIw==} - engines: {node: ^10 || ^12 || >=14} + postcss@8.4.39: dependencies: nanoid: 3.3.7 picocolors: 1.0.1 source-map-js: 1.2.0 - dev: false - /prebuild-install@7.1.2: - resolution: {integrity: sha512-UnNke3IQb6sgarcZIDU3gbMeTp/9SSU1DAIkil7PrqG1vZlBtY5msYccSKSHDqa3hNg436IXK+SNImReuA1wEQ==} - engines: {node: '>=10'} - hasBin: true + prebuild-install@7.1.2: dependencies: detect-libc: 2.0.3 expand-template: 2.0.3 @@ -10288,70 +12750,35 @@ packages: simple-get: 4.0.1 tar-fs: 2.1.1 tunnel-agent: 0.6.0 - dev: false - /prelude-ls@1.2.1: - resolution: {integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==} - engines: {node: '>= 0.8.0'} - dev: true + prelude-ls@1.2.1: {} - /prettier@2.8.8: - resolution: {integrity: sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==} - engines: {node: '>=10.13.0'} - hasBin: true - dev: true + prettier@2.8.8: {} - /process-warning@3.0.0: - resolution: {integrity: sha512-mqn0kFRl0EoqhnL0GQ0veqFHyIN1yig9RHh/InzORTUiZHFRAur+aMtRkELNwGs9aNwKS6tg/An4NYBPGwvtzQ==} - dev: false + process-warning@3.0.0: {} - /process@0.11.10: - resolution: {integrity: sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A==} - engines: {node: '>= 0.6.0'} - dev: false + process@0.11.10: {} - /promise-inflight@1.0.1: - resolution: {integrity: sha512-6zWPyEOFaQBJYcGMHBKTKJ3u6TBsnMFOIZSa6ce1e/ZrrsOlnHRHbabMjLiBYKp+n44X9eUI6VUPaukCXHuG4g==} - requiresBuild: true - peerDependencies: - bluebird: '*' - peerDependenciesMeta: - bluebird: - optional: true - dev: false + promise-inflight@1.0.1: optional: true - - /promise-retry@2.0.1: - resolution: {integrity: sha512-y+WKFlBR8BGXnsNlIHFGPZmyDf3DFMoLhaflAnyZgV6rG6xu+JwesTo2Q9R6XwYmtmwAFCkAk3e35jEdoeh/3g==} - engines: {node: '>=10'} - requiresBuild: true + + promise-retry@2.0.1: dependencies: err-code: 2.0.3 retry: 0.12.0 - dev: false optional: true - /prop-types@15.8.1: - resolution: {integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==} + prop-types@15.8.1: dependencies: loose-envify: 1.4.0 object-assign: 4.1.1 react-is: 16.13.1 - dev: false - /propagate@2.0.1: - resolution: {integrity: sha512-vGrhOavPSTz4QVNuBNdcNXePNdNMaO1xj9yBeH1ScQPjk/rhg9sSlCXPhMkFuaNNW/syTvYqsnbIJxMBfRbbag==} - engines: {node: '>= 8'} - dev: false + propagate@2.0.1: {} - /proto-list@1.2.4: - resolution: {integrity: sha512-vtK/94akxsTMhe0/cbfpR+syPuszcuwhqVjJq26CuNDgFGj682oRBXOP5MJpv2r7JtE8MsiepGIqvvOTBwn2vA==} - dev: false + proto-list@1.2.4: {} - /protobufjs@6.11.4: - resolution: {integrity: sha512-5kQWPaJHi1WoCpjTGszzQ32PG2F4+wRY6BmAT4Vfw56Q2FZ4YZzK20xUYQH4YkfehY1e6QSICrJquM6xXZNcrw==} - hasBin: true - requiresBuild: true + protobufjs@6.11.4: dependencies: '@protobufjs/aspromise': 1.1.2 '@protobufjs/base64': 1.1.2 @@ -10366,220 +12793,131 @@ packages: '@types/long': 4.0.2 '@types/node': 22.7.0 long: 4.0.0 - dev: false - /proxy-addr@2.0.7: - resolution: {integrity: sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==} - engines: {node: '>= 0.10'} + proxy-addr@2.0.7: dependencies: forwarded: 0.2.0 ipaddr.js: 1.9.1 - dev: false - /proxy-from-env@1.1.0: - resolution: {integrity: sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==} - dev: false + proxy-from-env@1.1.0: {} - /prr@1.0.1: - resolution: {integrity: sha512-yPw4Sng1gWghHQWj0B3ZggWUm4qVbPwPFcRG8KyxiU7J2OHFSoEHKS+EZ3fv5l1t9CyCiop6l/ZYeWbrgoQejw==} - dev: false + prr@1.0.1: {} - /psl@1.9.0: - resolution: {integrity: sha512-E/ZsdU4HLs/68gYzgGTkMicWTLPdAftJLfJFlLUAAKZGkStNU72sZjT66SnMDVOfOWY/YAoiD7Jxa9iHvngcag==} - dev: false + psl@1.9.0: {} - /pump@3.0.0: - resolution: {integrity: sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==} + pump@3.0.0: dependencies: end-of-stream: 1.4.4 once: 1.4.0 - dev: false - /punycode@2.1.0: - resolution: {integrity: sha512-Yxz2kRwT90aPiWEMHVYnEf4+rhwF1tBmmZ4KepCP+Wkium9JxtWnUm1nqGwpiAHr/tnTSeHqr3wb++jgSkXjhA==} - engines: {node: '>=6'} - dev: false + punycode@2.1.0: {} - /punycode@2.3.1: - resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==} - engines: {node: '>=6'} + punycode@2.3.1: {} - /qs@6.11.0: - resolution: {integrity: sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==} - engines: {node: '>=0.6'} + qs@6.11.0: dependencies: side-channel: 1.0.6 - dev: false - /qs@6.5.3: - resolution: {integrity: sha512-qxXIEh4pCGfHICj1mAJQ2/2XVZkjCDTcEgfoSQxc/fYivUZxTkk7L3bDBJSoNrEzXI17oUO5Dp07ktqE5KzczA==} - engines: {node: '>=0.6'} - dev: false + qs@6.5.3: {} - /query-string@5.1.1: - resolution: {integrity: sha512-gjWOsm2SoGlgLEdAGt7a6slVOk9mGiXmPFMqrEhLQ68rhQuBnpfs3+EmlvqKyxnCo9/PPlF+9MtY02S1aFg+Jw==} - engines: {node: '>=0.10.0'} + query-string@5.1.1: dependencies: decode-uri-component: 0.2.2 object-assign: 4.1.1 strict-uri-encode: 1.1.0 - dev: false - /querystringify@2.2.0: - resolution: {integrity: sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==} - dev: false + querystringify@2.2.0: {} - /queue-microtask@1.2.3: - resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==} - dev: true + queue-microtask@1.2.3: {} - /quick-format-unescaped@4.0.4: - resolution: {integrity: sha512-tYC1Q1hgyRuHgloV/YXs2w15unPVh8qfu/qCTfhTYamaw7fyhumKa2yGpdSo87vY32rIclj+4fWYQXUMs9EHvg==} - dev: false + quick-format-unescaped@4.0.4: {} - /quick-lru@5.1.1: - resolution: {integrity: sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==} - engines: {node: '>=10'} - dev: false + quick-lru@5.1.1: {} - /randombytes@2.1.0: - resolution: {integrity: sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==} + randombytes@2.1.0: dependencies: safe-buffer: 5.2.1 - dev: false - /randomness@1.6.14: - resolution: {integrity: sha512-BQGEM09tR0ft8QeOOHbGt7AKoYjqHb0Zbos8TY81tWRENC//M+FuQPdtE3GLqUdj115J8r7pP8xsOgLQyVkLJA==} - engines: {node: '>=14 <15 || >=16 <17 || >=18'} + randomness@1.6.14: dependencies: fft-js: 0.0.12 mathjs: 13.1.1 - dev: false - /range-parser@1.2.1: - resolution: {integrity: sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==} - engines: {node: '>= 0.6'} - dev: false + range-parser@1.2.1: {} - /raw-body@2.5.1: - resolution: {integrity: sha512-qqJBtEyVgS0ZmPGdCFPWJ3FreoqvG4MVQln/kCgF7Olq95IbOp0/BWyMwbdtn4VTvkM8Y7khCQ2Xgk/tcrCXig==} - engines: {node: '>= 0.8'} + raw-body@2.5.1: dependencies: bytes: 3.1.2 http-errors: 2.0.0 iconv-lite: 0.4.24 unpipe: 1.0.0 - dev: false - /raw-body@2.5.2: - resolution: {integrity: sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==} - engines: {node: '>= 0.8'} + raw-body@2.5.2: dependencies: bytes: 3.1.2 http-errors: 2.0.0 iconv-lite: 0.4.24 unpipe: 1.0.0 - dev: false - /rc@1.2.8: - resolution: {integrity: sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw==} - hasBin: true + rc@1.2.8: dependencies: deep-extend: 0.6.0 ini: 1.3.8 minimist: 1.2.8 strip-json-comments: 2.0.1 - dev: false - /react-copy-to-clipboard@5.1.0(react@18.3.1): - resolution: {integrity: sha512-k61RsNgAayIJNoy9yDsYzDe/yAZAzEbEgcz3DZMhF686LEyukcE1hzurxe85JandPUG+yTfGVFzuEw3xt8WP/A==} - peerDependencies: - react: ^15.3.0 || 16 || 17 || 18 + react-copy-to-clipboard@5.1.0(react@18.3.1): dependencies: copy-to-clipboard: 3.3.3 prop-types: 15.8.1 react: 18.3.1 - dev: false - /react-dom@18.3.1(react@18.3.1): - resolution: {integrity: sha512-5m4nQKp+rZRb09LNH59GM4BxTh9251/ylbKIbpe7TpGxfJ+9kv6BLkLBXIjjspbgbnIBNqlI23tRnTWT0snUIw==} - peerDependencies: - react: ^18.3.1 + react-dom@18.3.1(react@18.3.1): dependencies: loose-envify: 1.4.0 react: 18.3.1 scheduler: 0.23.2 - dev: false - /react-is@16.13.1: - resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==} - dev: false + react-is@16.13.1: {} - /react-is@18.3.1: - resolution: {integrity: sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==} - dev: false + react-is@18.3.1: {} - /react@18.3.1: - resolution: {integrity: sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==} - engines: {node: '>=0.10.0'} + react@18.3.1: dependencies: loose-envify: 1.4.0 - dev: false - /readable-stream@3.6.2: - resolution: {integrity: sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==} - engines: {node: '>= 6'} + readable-stream@3.6.2: dependencies: inherits: 2.0.4 string_decoder: 1.3.0 util-deprecate: 1.0.2 - dev: false - /readable-stream@4.5.2: - resolution: {integrity: sha512-yjavECdqeZ3GLXNgRXgeQEdz9fvDDkNKyHnbHRFtOr7/LcfgBcmct7t/ET+HaCTqfh06OzoAxrkN/IfjJBVe+g==} - engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + readable-stream@4.5.2: dependencies: abort-controller: 3.0.0 buffer: 6.0.3 events: 3.3.0 process: 0.11.10 string_decoder: 1.3.0 - dev: false - /readdirp@3.6.0: - resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==} - engines: {node: '>=8.10.0'} + readdirp@3.6.0: dependencies: picomatch: 2.3.1 - dev: false - /real-require@0.2.0: - resolution: {integrity: sha512-57frrGM/OCTLqLOAh0mhVA9VBMHd+9U7Zb2THMGdBUoZVOtGbJzjxsYGDJ3A9AYYCP4hn6y1TVbaOfzWtm5GFg==} - engines: {node: '>= 12.13.0'} - dev: false + real-require@0.2.0: {} - /reflect-metadata@0.2.2: - resolution: {integrity: sha512-urBwgfrvVP/eAyXx4hluJivBKzuEbSQs9rKWCrCkbSxNv8mxPcUZKeuoF3Uy4mJl3Lwprp6yy5/39VWigZ4K6Q==} - dev: false + reflect-metadata@0.2.2: {} - /regenerator-runtime@0.14.1: - resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==} - dev: false + regenerator-runtime@0.14.1: {} - /regexp.prototype.flags@1.5.2: - resolution: {integrity: sha512-NcDiDkTLuPR+++OCKB0nWafEmhg/Da8aUPLPMQbK+bxKKCm1/S5he+AqYa4PlMCVBalb4/yxIRub6qkEx5yJbw==} - engines: {node: '>= 0.4'} + regexp.prototype.flags@1.5.2: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 es-errors: 1.3.0 set-function-name: 2.0.2 - dev: false - /request@2.88.2: - resolution: {integrity: sha512-MsvtOrfG9ZcrOwAW+Qi+F6HbD0CWXEh9ou77uOb7FM2WPhwT7smM833PzanhJLsgXjN89Ir6V2PczXNnMpwKhw==} - engines: {node: '>= 6'} - deprecated: request has been deprecated, see https://github.com/request/request/issues/3142 + request@2.88.2: dependencies: aws-sign2: 0.7.0 aws4: 1.12.0 @@ -10601,98 +12939,54 @@ packages: tough-cookie: 2.5.0 tunnel-agent: 0.6.0 uuid: 3.4.0 - dev: false - /require-directory@2.1.1: - resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==} - engines: {node: '>=0.10.0'} + require-directory@2.1.1: {} - /require-from-string@2.0.2: - resolution: {integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==} - engines: {node: '>=0.10.0'} - dev: false + require-from-string@2.0.2: {} - /requires-port@1.0.0: - resolution: {integrity: sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==} - dev: false + requires-port@1.0.0: {} - /resolve-alpn@1.2.1: - resolution: {integrity: sha512-0a1F4l73/ZFZOakJnQ3FvkJ2+gSTQWz/r2KE5OdDY0TxPm5h4GkqkWWfM47T7HsbnOtcJVEF4epCVy6u7Q3K+g==} - dev: false + resolve-alpn@1.2.1: {} - /resolve-from@4.0.0: - resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==} - engines: {node: '>=4'} - dev: true + resolve-from@4.0.0: {} - /resolve-pkg-maps@1.0.0: - resolution: {integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==} - dev: false + resolve-pkg-maps@1.0.0: {} - /responselike@2.0.1: - resolution: {integrity: sha512-4gl03wn3hj1HP3yzgdI7d3lCkF95F21Pz4BPGvKHinyQzALR5CapwC8yIi0Rh58DEMQ/SguC03wFj2k0M/mHhw==} + responselike@2.0.1: dependencies: lowercase-keys: 2.0.0 - dev: false - /restore-cursor@3.1.0: - resolution: {integrity: sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==} - engines: {node: '>=8'} + restore-cursor@3.1.0: dependencies: onetime: 5.1.2 signal-exit: 3.0.7 - dev: false - /restore-cursor@4.0.0: - resolution: {integrity: sha512-I9fPXU9geO9bHOt9pHHOhOkYerIMsmVaWB0rA2AI9ERh/+x/i7MV5HKBNrg+ljO5eoPVgCcnFuRjJ9uH6I/3eg==} - engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + restore-cursor@4.0.0: dependencies: onetime: 5.1.2 signal-exit: 3.0.7 - dev: false - /retry@0.12.0: - resolution: {integrity: sha512-9LkiTwjUh6rT555DtE9rTX+BKByPfrMzEAtnlEtdEwr3Nkffwiihqe2bWADg+OQRjt9gl6ICdmB/ZFDCGAtSow==} - engines: {node: '>= 4'} - requiresBuild: true - dev: false + retry@0.12.0: optional: true - /reusify@1.0.4: - resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==} - engines: {iojs: '>=1.0.0', node: '>=0.10.0'} - dev: true + reusify@1.0.4: {} - /rimraf@3.0.2: - resolution: {integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==} - deprecated: Rimraf versions prior to v4 are no longer supported - hasBin: true - requiresBuild: true + rimraf@3.0.2: dependencies: glob: 7.2.3 - /ripemd160@2.0.2: - resolution: {integrity: sha512-ii4iagi25WusVoiC4B4lq7pbXfAp3D9v5CwfkY33vffw2+pkDjY1D8GaN7spsxvCSx8dkPqOZCEZyfxcmJG2IA==} + ripemd160@2.0.2: dependencies: hash-base: 3.1.0 inherits: 2.0.4 - dev: false - /rlp@2.2.7: - resolution: {integrity: sha512-d5gdPmgQ0Z+AklL2NVXr/IoSjNZFfTVvQWzL/AM2AOcSzYP2xjlb0AC8YyCLc41MSNf6P6QVtjgPdmVtzb+4lQ==} - hasBin: true + rlp@2.2.7: dependencies: bn.js: 5.2.1 - dev: false - /rlp@3.0.0: - resolution: {integrity: sha512-PD6U2PGk6Vq2spfgiWZdomLvRGDreBLxi5jv5M8EpRo3pU6VEm31KO+HFxE18Q3vgqfDrQ9pZA3FP95rkijNKw==} - hasBin: true - dev: false + rlp@3.0.0: {} - /roarr@2.15.4: - resolution: {integrity: sha512-CHhPh+UNHD2GTXNYhPWLnU8ONHdI+5DI+4EYIAOaiD63rHeYlZvyh8P+in5999TTSFgUYuKUAjzRI4mdh/p+2A==} - engines: {node: '>=8.0'} + roarr@2.15.4: dependencies: boolean: 3.2.0 detect-node: 2.1.0 @@ -10700,12 +12994,8 @@ packages: json-stringify-safe: 5.0.1 semver-compare: 1.0.0 sprintf-js: 1.1.3 - dev: false - /rollup@4.13.0: - resolution: {integrity: sha512-3YegKemjoQnYKmsBlOHfMLVPPA5xLkQ8MHLLSw/fBrFaVkEayL51DilPpNNLq1exr98F2B1TzrV0FUlN3gWRPg==} - engines: {node: '>=18.0.0', npm: '>=8.0.0'} - hasBin: true + rollup@4.13.0: dependencies: '@types/estree': 1.0.5 optionalDependencies: @@ -10723,125 +13013,66 @@ packages: '@rollup/rollup-win32-ia32-msvc': 4.13.0 '@rollup/rollup-win32-x64-msvc': 4.13.0 fsevents: 2.3.3 - dev: false - /rrweb-cssom@0.6.0: - resolution: {integrity: sha512-APM0Gt1KoXBz0iIkkdB/kfvGOwC4UuJFeG/c+yV7wSc7q96cG/kJ0HiYCnzivD9SB53cLV1MlHFNfOuPaadYSw==} - dev: false + rrweb-cssom@0.6.0: {} - /run-async@3.0.0: - resolution: {integrity: sha512-540WwVDOMxA6dN6We19EcT9sc3hkXPw5mzRNGM3FkdN/vtE9NFvj5lFAPNwUDmJjXidm3v7TC1cTE7t17Ulm1Q==} - engines: {node: '>=0.12.0'} - dev: false + run-async@3.0.0: {} - /run-parallel@1.2.0: - resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==} + run-parallel@1.2.0: dependencies: queue-microtask: 1.2.3 - dev: true - /rxjs@6.6.7: - resolution: {integrity: sha512-hTdwr+7yYNIT5n4AMYp85KA6yw2Va0FLa3Rguvbpa4W3I5xynaBZo41cM3XM+4Q6fRMj3sBYIR1VAmZMXYJvRQ==} - engines: {npm: '>=2.0.0'} + rxjs@6.6.7: dependencies: tslib: 1.14.1 - dev: false - /rxjs@7.8.1: - resolution: {integrity: sha512-AA3TVj+0A2iuIoQkWEK/tqFjBq2j+6PO6Y0zJcvzLAFhEFIO3HL0vls9hWLncZbAAbK0mar7oZ4V079I/qPMxg==} + rxjs@7.8.1: dependencies: tslib: 2.7.0 - dev: false - /safe-buffer@5.1.2: - resolution: {integrity: sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==} - dev: false + safe-buffer@5.1.2: {} - /safe-buffer@5.2.1: - resolution: {integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==} - dev: false + safe-buffer@5.2.1: {} - /safe-stable-stringify@2.4.3: - resolution: {integrity: sha512-e2bDA2WJT0wxseVd4lsDP4+3ONX6HpMXQa1ZhFQ7SU+GjvORCmShbCMltrtIDfkYhVHrOcPtj+KhmDBdPdZD1g==} - engines: {node: '>=10'} - dev: false + safe-stable-stringify@2.4.3: {} - /safer-buffer@2.1.2: - resolution: {integrity: sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==} - dev: false + safer-buffer@2.1.2: {} - /saxes@6.0.0: - resolution: {integrity: sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==} - engines: {node: '>=v12.22.7'} + saxes@6.0.0: dependencies: xmlchars: 2.2.0 - dev: false - /scale-ts@1.6.0: - resolution: {integrity: sha512-Ja5VCjNZR8TGKhUumy9clVVxcDpM+YFjAnkMuwQy68Hixio3VRRvWdE3g8T/yC+HXA0ZDQl2TGyUmtmbcVl40Q==} - requiresBuild: true - dev: false + scale-ts@1.6.0: {} - /scheduler@0.23.2: - resolution: {integrity: sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==} + scheduler@0.23.2: dependencies: loose-envify: 1.4.0 - dev: false - /scrypt-js@3.0.1: - resolution: {integrity: sha512-cdwTTnqPu0Hyvf5in5asVdZocVDTNRmR7XEcJuIzMjJeSHybHl7vpB66AzwTaIg6CLSbtjcxc8fqcySfnTkccA==} - dev: false + scrypt-js@3.0.1: {} - /scryptsy@2.1.0: - resolution: {integrity: sha512-1CdSqHQowJBnMAFyPEBRfqag/YP9OF394FV+4YREIJX4ljD7OxvQRDayyoyyCk+senRjSkP6VnUNQmVQqB6g7w==} - dev: false + scryptsy@2.1.0: {} - /secp256k1@4.0.3: - resolution: {integrity: sha512-NLZVf+ROMxwtEj3Xa562qgv2BK5e2WNmXPiOdVIPLgs6lyTzMvBq0aWTYMI5XCP9jZMVKOcqZLw/Wc4vDkuxhA==} - engines: {node: '>=10.0.0'} - requiresBuild: true + secp256k1@4.0.3: dependencies: elliptic: 6.5.5 node-addon-api: 2.0.2 node-gyp-build: 4.8.1 - dev: false - /secure-json-parse@2.7.0: - resolution: {integrity: sha512-6aU+Rwsezw7VR8/nyvKTx8QpWH9FrcYiXXlqC4z5d5XQBDRqtbfsRjnwGyqbi3gddNtWHuEk9OANUotL26qKUw==} - dev: false + secure-json-parse@2.7.0: {} - /seedrandom@3.0.5: - resolution: {integrity: sha512-8OwmbklUNzwezjGInmZ+2clQmExQPvomqjL7LFqOYqtmuxRgQYqOD3mHaU+MvZn5FLUeVxVfQjwLZW/n/JFuqg==} - dev: false + seedrandom@3.0.5: {} - /semaphore-async-await@1.5.1: - resolution: {integrity: sha512-b/ptP11hETwYWpeilHXXQiV5UJNJl7ZWWooKRE5eBIYWoom6dZ0SluCIdCtKycsMtZgKWE01/qAw6jblw1YVhg==} - engines: {node: '>=4.1'} - dev: false + semaphore-async-await@1.5.1: {} - /semver-compare@1.0.0: - resolution: {integrity: sha512-YM3/ITh2MJ5MtzaM429anh+x2jiLVjqILF4m4oyQB18W7Ggea7BfqdH/wGMK7dDiMghv/6WG7znWMwUDzJiXow==} - dev: false + semver-compare@1.0.0: {} - /semver@5.7.2: - resolution: {integrity: sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==} - hasBin: true - dev: false + semver@5.7.2: {} - /semver@7.6.2: - resolution: {integrity: sha512-FNAIBWCx9qcRhoHcgcJ0gvU7SN1lYU2ZXuSfl04bSC5OpvDHFyJCjdNHomPXxjQlCBU67YW64PzY7/VIEH7F2w==} - engines: {node: '>=10'} - hasBin: true - dev: false + semver@7.6.2: {} - /semver@7.6.3: - resolution: {integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==} - engines: {node: '>=10'} - hasBin: true + semver@7.6.3: {} - /send@0.18.0: - resolution: {integrity: sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==} - engines: {node: '>= 0.8.0'} + send@0.18.0: dependencies: debug: 2.6.9 depd: 2.0.0 @@ -10858,30 +13089,20 @@ packages: statuses: 2.0.1 transitivePeerDependencies: - supports-color - dev: false - /serialize-error@7.0.1: - resolution: {integrity: sha512-8I8TjW5KMOKsZQTvoxjuSIa7foAwPWGOts+6o7sgjz41/qMD9VQHEDxi6PBvK2l0MXUmqZyNpUK+T2tQaaElvw==} - engines: {node: '>=10'} + serialize-error@7.0.1: dependencies: type-fest: 0.13.1 - dev: false - /serialize-javascript@6.0.0: - resolution: {integrity: sha512-Qr3TosvguFt8ePWqsvRfrKyQXIiW+nGbYpy8XK24NQHE83caxWt+mIymTT19DGFbNWNLfEwsrkSmN64lVWB9ag==} + serialize-javascript@6.0.0: dependencies: randombytes: 2.1.0 - dev: false - /serialize-javascript@6.0.2: - resolution: {integrity: sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==} + serialize-javascript@6.0.2: dependencies: randombytes: 2.1.0 - dev: false - /serve-static@1.15.0: - resolution: {integrity: sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==} - engines: {node: '>= 0.8.0'} + serve-static@1.15.0: dependencies: encodeurl: 1.0.2 escape-html: 1.0.3 @@ -10889,11 +13110,8 @@ packages: send: 0.18.0 transitivePeerDependencies: - supports-color - dev: false - /servify@0.1.12: - resolution: {integrity: sha512-/xE6GvsKKqyo1BAY+KxOWXcLpPsUUyji7Qg3bVD7hh1eRze5bR1uYiuDA/k3Gof1s9BTzQZEJK8sNcNGFIzeWw==} - engines: {node: '>=6'} + servify@0.1.12: dependencies: body-parser: 1.20.2 cors: 2.8.5 @@ -10902,27 +13120,18 @@ packages: xhr: 2.6.0 transitivePeerDependencies: - supports-color - dev: false - /set-blocking@2.0.0: - resolution: {integrity: sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==} - requiresBuild: true - dev: false + set-blocking@2.0.0: optional: true - /set-function-length@1.1.1: - resolution: {integrity: sha512-VoaqjbBJKiWtg4yRcKBQ7g7wnGnLV3M8oLvVWwOk2PdYY6PEFegR1vezXR0tw6fZGF9csVakIRjrJiy2veSBFQ==} - engines: {node: '>= 0.4'} + set-function-length@1.1.1: dependencies: define-data-property: 1.1.1 get-intrinsic: 1.2.2 gopd: 1.0.1 has-property-descriptors: 1.0.1 - dev: false - /set-function-length@1.2.2: - resolution: {integrity: sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==} - engines: {node: '>= 0.4'} + set-function-length@1.2.2: dependencies: define-data-property: 1.1.4 es-errors: 1.3.0 @@ -10930,162 +13139,101 @@ packages: get-intrinsic: 1.2.4 gopd: 1.0.1 has-property-descriptors: 1.0.2 - dev: false - /set-function-name@2.0.2: - resolution: {integrity: sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==} - engines: {node: '>= 0.4'} + set-function-name@2.0.2: dependencies: define-data-property: 1.1.4 es-errors: 1.3.0 functions-have-names: 1.2.3 has-property-descriptors: 1.0.2 - dev: false - /setimmediate@1.0.5: - resolution: {integrity: sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA==} - dev: false + setimmediate@1.0.5: {} - /setprototypeof@1.2.0: - resolution: {integrity: sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==} - dev: false + setprototypeof@1.2.0: {} - /sha.js@2.4.11: - resolution: {integrity: sha512-QMEp5B7cftE7APOjk5Y6xgrbWu+WkLVQwk8JNjZ8nKRciZaByEW6MubieAiToS7+dwvrjGhH8jRXz3MVd0AYqQ==} - hasBin: true + sha.js@2.4.11: dependencies: inherits: 2.0.4 safe-buffer: 5.2.1 - dev: false - /shallowequal@1.1.0: - resolution: {integrity: sha512-y0m1JoUZSlPAjXVtPPW70aZWfIL/dSP7AFkRnniLCrK/8MDKog3TySTBmckD+RObVxH0v4Tox67+F14PdED2oQ==} - dev: false + shallowequal@1.1.0: {} - /shebang-command@2.0.0: - resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==} - engines: {node: '>=8'} + shebang-command@2.0.0: dependencies: shebang-regex: 3.0.0 - /shebang-regex@3.0.0: - resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==} - engines: {node: '>=8'} + shebang-regex@3.0.0: {} - /side-channel@1.0.6: - resolution: {integrity: sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==} - engines: {node: '>= 0.4'} + side-channel@1.0.6: dependencies: call-bind: 1.0.7 es-errors: 1.3.0 get-intrinsic: 1.2.4 object-inspect: 1.13.2 - dev: false - /siginfo@2.0.0: - resolution: {integrity: sha512-ybx0WO1/8bSBLEWXZvEd7gMW3Sn3JFlW3TvX1nREbDLRNQNaeNN8WK0meBwPdAaOI7TtRRRJn/Es1zhrrCHu7g==} - dev: false + siginfo@2.0.0: {} - /signal-exit@3.0.7: - resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==} - requiresBuild: true - dev: false + signal-exit@3.0.7: {} - /signal-exit@4.1.0: - resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==} - engines: {node: '>=14'} - dev: false + signal-exit@4.1.0: {} - /simple-concat@1.0.1: - resolution: {integrity: sha512-cSFtAPtRhljv69IK0hTVZQ+OfE9nePi/rtJmw5UjHeVyVroEqJXP1sFztKUy1qU+xvz3u/sfYJLa947b7nAN2Q==} - dev: false + simple-concat@1.0.1: {} - /simple-get@2.8.2: - resolution: {integrity: sha512-Ijd/rV5o+mSBBs4F/x9oDPtTx9Zb6X9brmnXvMW4J7IR15ngi9q5xxqWBKU744jTZiaXtxaPL7uHG6vtN8kUkw==} + simple-get@2.8.2: dependencies: decompress-response: 3.3.0 once: 1.4.0 simple-concat: 1.0.1 - dev: false - /simple-get@4.0.1: - resolution: {integrity: sha512-brv7p5WgH0jmQJr1ZDDfKDOSeWWg+OVypG99A/5vYGPqJ6pxiaHLy8nxtFjBA7oMa01ebA9gfh1uMCFqOuXxvA==} + simple-get@4.0.1: dependencies: decompress-response: 6.0.0 once: 1.4.0 simple-concat: 1.0.1 - dev: false - /sirv@2.0.4: - resolution: {integrity: sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==} - engines: {node: '>= 10'} + sirv@2.0.4: dependencies: '@polka/url': 1.0.0-next.25 mrmime: 2.0.0 totalist: 3.0.1 - dev: false - /slash@3.0.0: - resolution: {integrity: sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==} - engines: {node: '>=8'} - dev: true + slash@3.0.0: {} - /smart-buffer@4.2.0: - resolution: {integrity: sha512-94hK0Hh8rPqQl2xXc3HsaBoOXKV20MToPkcXvwbISWLEs+64sBq5kFgn2kJDHb1Pry9yrP0dxrCI9RRci7RXKg==} - engines: {node: '>= 6.0.0', npm: '>= 3.0.0'} - requiresBuild: true - dev: false + smart-buffer@4.2.0: optional: true - /smoldot@2.0.22: - resolution: {integrity: sha512-B50vRgTY6v3baYH6uCgL15tfaag5tcS2o/P5q1OiXcKGv1axZDfz2dzzMuIkVpyMR2ug11F6EAtQlmYBQd292g==} - requiresBuild: true + smoldot@2.0.22: dependencies: ws: 8.18.0 transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /smoldot@2.0.26: - resolution: {integrity: sha512-F+qYmH4z2s2FK+CxGj8moYcd1ekSIKH8ywkdqlOz88Dat35iB1DIYL11aILN46YSGMzQW/lbJNS307zBSDN5Ig==} - requiresBuild: true + smoldot@2.0.26: dependencies: ws: 8.18.0 transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false optional: true - /socks-proxy-agent@6.2.1: - resolution: {integrity: sha512-a6KW9G+6B3nWZ1yB8G7pJwL3ggLy1uTzKAgCb7ttblwqdz9fMGJUuTy3uFzEP48FAs9FLILlmzDlE2JJhVQaXQ==} - engines: {node: '>= 10'} - requiresBuild: true + socks-proxy-agent@6.2.1: dependencies: agent-base: 6.0.2 debug: 4.3.7(supports-color@8.1.1) socks: 2.8.3 transitivePeerDependencies: - supports-color - dev: false optional: true - /socks@2.8.3: - resolution: {integrity: sha512-l5x7VUUWbjVFbafGLxPWkYsHIhEvmF85tbIeFZWc8ZPtoMyybuEhL7Jye/ooC4/d48FgOjSJXgsF/AJPYCW8Zw==} - engines: {node: '>= 10.0.0', npm: '>= 3.0.0'} - requiresBuild: true + socks@2.8.3: dependencies: ip-address: 9.0.5 smart-buffer: 4.2.0 - dev: false optional: true - /solc@0.8.25(debug@4.3.7): - resolution: {integrity: sha512-7P0TF8gPeudl1Ko3RGkyY6XVCxe2SdD/qQhtns1vl3yAbK/PDifKDLHGtx1t7mX3LgR7ojV7Fg/Kc6Q9D2T8UQ==} - engines: {node: '>=10.0.0'} - hasBin: true + solc@0.8.25(debug@4.3.7): dependencies: command-exists: 1.2.9 commander: 8.3.0 @@ -11096,40 +13244,22 @@ packages: tmp: 0.0.33 transitivePeerDependencies: - debug - dev: false - /sonic-boom@3.8.1: - resolution: {integrity: sha512-y4Z8LCDBuum+PBP3lSV7RHrXscqksve/bi0as7mhwVnBW+/wUqKT/2Kb7um8yqcFy0duYbbPxzt89Zy2nOCaxg==} + sonic-boom@3.8.1: dependencies: atomic-sleep: 1.0.0 - dev: false - /sonic-boom@4.0.1: - resolution: {integrity: sha512-hTSD/6JMLyT4r9zeof6UtuBDpjJ9sO08/nmS5djaA9eozT9oOlNdpXSnzcgj4FTqpk3nkLrs61l4gip9r1HCrQ==} + sonic-boom@4.0.1: dependencies: atomic-sleep: 1.0.0 - dev: false - /source-map-js@1.2.0: - resolution: {integrity: sha512-itJW8lvSA0TXEphiRoawsCksnlf8SyvmFzIhltqAHluXd88pkCd+cXJVHTDwdCr0IzwptSm035IHQktUu1QUMg==} - engines: {node: '>=0.10.0'} - dev: false + source-map-js@1.2.0: {} - /split2@4.2.0: - resolution: {integrity: sha512-UcjcJOWknrNkF6PLX83qcHM6KHgVKNkV62Y8a5uYDVv9ydGQVwAHMKqHdJje1VTWpljG0WYpCDhrCdAOYH4TWg==} - engines: {node: '>= 10.x'} - dev: false + split2@4.2.0: {} - /sprintf-js@1.1.3: - resolution: {integrity: sha512-Oo+0REFV59/rz3gfJNKQiBlwfHaSESl1pcGyABQsnnIfWOFt6JNj5gCog2U6MLZ//IGYD+nA8nI+mTShREReaA==} - dev: false + sprintf-js@1.1.3: {} - /sqlite3@5.1.7: - resolution: {integrity: sha512-GGIyOiFaG+TUra3JIfkI/zGP8yZYLPQ0pl1bH+ODjiX57sPhrLU5sQJn1y9bDKZUFYkX1crlrPfSYt0BKKdkog==} - requiresBuild: true - peerDependenciesMeta: - node-gyp: - optional: true + sqlite3@5.1.7: dependencies: bindings: 1.5.0 node-addon-api: 7.1.0 @@ -11140,12 +13270,8 @@ packages: transitivePeerDependencies: - bluebird - supports-color - dev: false - /sshpk@1.18.0: - resolution: {integrity: sha512-2p2KJZTSqQ/I3+HX42EpYOa2l3f8Erv8MWKsy2I9uf4wA7yFIkXRffYdsx86y6z4vHtV8u7g+pPlr8/4ouAxsQ==} - engines: {node: '>=0.10.0'} - hasBin: true + sshpk@1.18.0: dependencies: asn1: 0.2.6 assert-plus: 1.0.0 @@ -11156,116 +13282,65 @@ packages: jsbn: 0.1.1 safer-buffer: 2.1.2 tweetnacl: 0.14.5 - dev: false - /ssri@8.0.1: - resolution: {integrity: sha512-97qShzy1AiyxvPNIkLWoGua7xoQzzPjQ0HAH4B0rWKo7SZ6USuPcrUiAFrws0UH8RrbWmgq3LMTObhPIHbbBeQ==} - engines: {node: '>= 8'} - requiresBuild: true + ssri@8.0.1: dependencies: minipass: 3.3.6 - dev: false optional: true - /stackback@0.0.2: - resolution: {integrity: sha512-1XMJE5fQo1jGH6Y/7ebnwPOBEkIEnT4QF32d5R1+VXdXveM0IBMJt8zfaxX1P3QhVwrYe+576+jkANtSS2mBbw==} - dev: false + stackback@0.0.2: {} - /statuses@2.0.1: - resolution: {integrity: sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==} - engines: {node: '>= 0.8'} - dev: false + statuses@2.0.1: {} - /std-env@3.7.0: - resolution: {integrity: sha512-JPbdCEQLj1w5GilpiHAx3qJvFndqybBysA3qUOnznweH4QbNYUsW/ea8QzSrnh0vNsezMMw5bcVool8lM0gwzg==} - dev: false + std-env@3.7.0: {} - /stdin-discarder@0.1.0: - resolution: {integrity: sha512-xhV7w8S+bUwlPTb4bAOUQhv8/cSS5offJuX8GQGq32ONF0ZtDWKfkdomM3HMRA+LhX6um/FZ0COqlwsjD53LeQ==} - engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} + stdin-discarder@0.1.0: dependencies: bl: 5.1.0 - dev: false - /stop-iteration-iterator@1.0.0: - resolution: {integrity: sha512-iCGQj+0l0HOdZ2AEeBADlsRC+vsnDsZsbdSiH1yNSjcfKM7fdpCMfqAL/dwF5BLiw/XhRft/Wax6zQbhq2BcjQ==} - engines: {node: '>= 0.4'} + stop-iteration-iterator@1.0.0: dependencies: internal-slot: 1.0.7 - dev: false - /store@2.0.12: - resolution: {integrity: sha512-eO9xlzDpXLiMr9W1nQ3Nfp9EzZieIQc10zPPMP5jsVV7bLOziSFFBP0XoDXACEIFtdI+rIz0NwWVA/QVJ8zJtw==} - dev: false + store@2.0.12: {} - /strict-uri-encode@1.1.0: - resolution: {integrity: sha512-R3f198pcvnB+5IpnBlRkphuE9n46WyVl8I39W/ZUTZLz4nqSP/oLYUrcnJrw462Ds8he4YKMov2efsTIw1BDGQ==} - engines: {node: '>=0.10.0'} - dev: false + strict-uri-encode@1.1.0: {} - /string-width@4.2.3: - resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==} - engines: {node: '>=8'} + string-width@4.2.3: dependencies: emoji-regex: 8.0.0 is-fullwidth-code-point: 3.0.0 strip-ansi: 6.0.1 - /string-width@5.1.2: - resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==} - engines: {node: '>=12'} + string-width@5.1.2: dependencies: eastasianwidth: 0.2.0 emoji-regex: 9.2.2 strip-ansi: 7.1.0 - dev: false - /string_decoder@1.3.0: - resolution: {integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==} + string_decoder@1.3.0: dependencies: safe-buffer: 5.2.1 - dev: false - /strip-ansi@6.0.1: - resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==} - engines: {node: '>=8'} + strip-ansi@6.0.1: dependencies: ansi-regex: 5.0.1 - /strip-ansi@7.1.0: - resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==} - engines: {node: '>=12'} + strip-ansi@7.1.0: dependencies: ansi-regex: 6.0.1 - dev: false - /strip-final-newline@2.0.0: - resolution: {integrity: sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==} - engines: {node: '>=6'} - dev: false + strip-final-newline@2.0.0: {} - /strip-hex-prefix@1.0.0: - resolution: {integrity: sha512-q8d4ue7JGEiVcypji1bALTos+0pWtyGlivAWyPuTkHzuTCJqrK9sWxYQZUq6Nq3cuyv3bm734IhHvHtGGURU6A==} - engines: {node: '>=6.5.0', npm: '>=3'} + strip-hex-prefix@1.0.0: dependencies: is-hex-prefixed: 1.0.0 - dev: false - /strip-json-comments@2.0.1: - resolution: {integrity: sha512-4gB8na07fecVVkOI6Rs4e7T6NOTki5EmL7TUduTs6bu3EdnSycntVJ4re8kgZA+wx9IueI2Y11bfbgwtzuE0KQ==} - engines: {node: '>=0.10.0'} - dev: false + strip-json-comments@2.0.1: {} - /strip-json-comments@3.1.1: - resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==} - engines: {node: '>=8'} + strip-json-comments@3.1.1: {} - /styled-components@6.1.11(react-dom@18.3.1)(react@18.3.1): - resolution: {integrity: sha512-Ui0jXPzbp1phYij90h12ksljKGqF8ncGx+pjrNPsSPhbUUjWT2tD1FwGo2LF6USCnbrsIhNngDfodhxbegfEOA==} - engines: {node: '>= 16'} - peerDependencies: - react: '>= 16.8.0' - react-dom: '>= 16.8.0' + styled-components@6.1.11(react-dom@18.3.1)(react@18.3.1): dependencies: '@emotion/is-prop-valid': 1.2.2 '@emotion/unitless': 0.8.1 @@ -11278,26 +13353,18 @@ packages: shallowequal: 1.1.0 stylis: 4.3.2 tslib: 2.6.2 - dev: false - /stylis@4.3.2: - resolution: {integrity: sha512-bhtUjWd/z6ltJiQwg0dUfxEJ+W+jdqQd8TbWLWyeIJHlnsqmGLRFFd8e5mA0AZi/zx90smXRlN66YMTcaSFifg==} - dev: false + stylis@4.3.2: {} - /supports-color@7.2.0: - resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==} - engines: {node: '>=8'} + supports-color@7.2.0: dependencies: has-flag: 4.0.0 - /supports-color@8.1.1: - resolution: {integrity: sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==} - engines: {node: '>=10'} + supports-color@8.1.1: dependencies: has-flag: 4.0.0 - /swarm-js@0.1.42: - resolution: {integrity: sha512-BV7c/dVlA3R6ya1lMlSSNPLYrntt0LUq4YMgy3iwpCIc6rZnS5W2wUoctarZ5pXlpKtxDDf9hNziEkcfrxdhqQ==} + swarm-js@0.1.42: dependencies: bluebird: 3.7.2 buffer: 5.7.1 @@ -11314,35 +13381,25 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /symbol-tree@3.2.4: - resolution: {integrity: sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==} - dev: false + symbol-tree@3.2.4: {} - /tar-fs@2.1.1: - resolution: {integrity: sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==} + tar-fs@2.1.1: dependencies: chownr: 1.1.4 mkdirp-classic: 0.5.3 pump: 3.0.0 tar-stream: 2.2.0 - dev: false - /tar-stream@2.2.0: - resolution: {integrity: sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==} - engines: {node: '>=6'} + tar-stream@2.2.0: dependencies: bl: 4.1.0 end-of-stream: 1.4.4 fs-constants: 1.0.0 inherits: 2.0.4 readable-stream: 3.6.2 - dev: false - /tar@4.4.19: - resolution: {integrity: sha512-a20gEsvHnWe0ygBY8JbxoM4w3SJdhc7ZAuxkLqh+nvNQN2IOt0B5lLgM490X5Hl8FF0dl0tOf2ewFYAlIFgzVA==} - engines: {node: '>=4.5'} + tar@4.4.19: dependencies: chownr: 1.1.4 fs-minipass: 1.2.7 @@ -11351,11 +13408,8 @@ packages: mkdirp: 0.5.6 safe-buffer: 5.2.1 yallist: 3.1.1 - dev: false - /tar@6.2.1: - resolution: {integrity: sha512-DZ4yORTwrbTj/7MZYq2w+/ZFdI6OZ/f9SFHR+71gIVUZhOQPHzVCLpvRnPgyaMpfWxxk/4ONva3GQSyNIKRv6A==} - engines: {node: '>=10'} + tar@6.2.1: dependencies: chownr: 2.0.0 fs-minipass: 2.1.0 @@ -11363,181 +13417,94 @@ packages: minizlib: 2.1.2 mkdirp: 1.0.4 yallist: 4.0.0 - dev: false - /text-table@0.2.0: - resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==} - dev: true + text-table@0.2.0: {} - /thenify-all@1.6.0: - resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==} - engines: {node: '>=0.8'} + thenify-all@1.6.0: dependencies: thenify: 3.3.1 - dev: false - /thenify@3.3.1: - resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==} + thenify@3.3.1: dependencies: any-promise: 1.3.0 - dev: false - /thread-stream@2.7.0: - resolution: {integrity: sha512-qQiRWsU/wvNolI6tbbCKd9iKaTnCXsTwVxhhKM6nctPdujTyztjlbUkUTUymidWcMnZ5pWR0ej4a0tjsW021vw==} + thread-stream@2.7.0: dependencies: real-require: 0.2.0 - dev: false - /through@2.3.8: - resolution: {integrity: sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==} - dev: false + through@2.3.8: {} - /timed-out@4.0.1: - resolution: {integrity: sha512-G7r3AhovYtr5YKOWQkta8RKAPb+J9IsO4uVmzjl8AZwfhs8UcUwTiD6gcJYSgOtzyjvQKrKYn41syHbUWMkafA==} - engines: {node: '>=0.10.0'} - dev: false + timed-out@4.0.1: {} - /timers-ext@0.1.8: - resolution: {integrity: sha512-wFH7+SEAcKfJpfLPkrgMPvvwnEtj8W4IurvEyrKsDleXnKLCDw71w8jltvfLa8Rm4qQxxT4jmDBYbJG/z7qoww==} - engines: {node: '>=0.12'} + timers-ext@0.1.8: dependencies: es5-ext: 0.10.64 next-tick: 1.1.0 - dev: false - /tiny-emitter@2.1.0: - resolution: {integrity: sha512-NB6Dk1A9xgQPMoGqC5CVXn123gWyte215ONT5Pp5a0yt4nlEoO1ZWeCwpncaekPHXO60i47ihFnZPiRPjRMq4Q==} - dev: false + tiny-emitter@2.1.0: {} - /tinybench@2.9.0: - resolution: {integrity: sha512-0+DUvqWMValLmha6lr4kD8iAMK1HzV0/aKnCtWb9v9641TnP/MFb7Pc2bxoxQjTXAErryXVgUOfv2YqNllqGeg==} - dev: false + tinybench@2.9.0: {} - /tinyexec@0.3.0: - resolution: {integrity: sha512-tVGE0mVJPGb0chKhqmsoosjsS+qUnJVGJpZgsHYQcGoPlG3B51R3PouqTgEGH2Dc9jjFyOqOpix6ZHNMXp1FZg==} - dev: false + tinyexec@0.3.0: {} - /tinyglobby@0.2.6: - resolution: {integrity: sha512-NbBoFBpqfcgd1tCiO8Lkfdk+xrA7mlLR9zgvZcZWQQwU63XAfUePyd6wZBaU93Hqw347lHnwFzttAkemHzzz4g==} - engines: {node: '>=12.0.0'} + tinyglobby@0.2.6: dependencies: fdir: 6.3.0(picomatch@4.0.2) picomatch: 4.0.2 - dev: false - /tinypool@1.0.0: - resolution: {integrity: sha512-KIKExllK7jp3uvrNtvRBYBWBOAXSX8ZvoaD8T+7KB/QHIuoJW3Pmr60zucywjAlMb5TeXUkcs/MWeWLu0qvuAQ==} - engines: {node: ^18.0.0 || >=20.0.0} - dev: false + tinypool@1.0.0: {} - /tinyrainbow@1.2.0: - resolution: {integrity: sha512-weEDEq7Z5eTHPDh4xjX789+fHfF+P8boiFB+0vbWzpbnbsEr/GRaohi/uMKxg8RZMXnl1ItAi/IUHWMsjDV7kQ==} - engines: {node: '>=14.0.0'} - dev: false + tinyrainbow@1.2.0: {} - /tinyspy@3.0.0: - resolution: {integrity: sha512-q5nmENpTHgiPVd1cJDDc9cVoYN5x4vCvwT3FMilvKPKneCBZAxn2YWQjDF0UMcE9k0Cay1gBiDfTMU0g+mPMQA==} - engines: {node: '>=14.0.0'} - dev: false + tinyspy@3.0.0: {} - /tmp-promise@3.0.3: - resolution: {integrity: sha512-RwM7MoPojPxsOBYnyd2hy0bxtIlVrihNs9pj5SUvY8Zz1sQcQG2tG1hSr8PDxfgEB8RNKDhqbIlroIarSNDNsQ==} + tmp-promise@3.0.3: dependencies: tmp: 0.2.3 - dev: false - /tmp@0.0.33: - resolution: {integrity: sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==} - engines: {node: '>=0.6.0'} + tmp@0.0.33: dependencies: os-tmpdir: 1.0.2 - dev: false - /tmp@0.2.3: - resolution: {integrity: sha512-nZD7m9iCPC5g0pYmcaxogYKggSfLsdxl8of3Q/oIbqCqLLIO9IAF0GWjX1z9NZRHPiXv8Wex4yDCaZsgEw0Y8w==} - engines: {node: '>=14.14'} - dev: false + tmp@0.2.3: {} - /to-fast-properties@2.0.0: - resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==} - engines: {node: '>=4'} - dev: false + to-fast-properties@2.0.0: {} - /to-regex-range@5.0.1: - resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} - engines: {node: '>=8.0'} + to-regex-range@5.0.1: dependencies: is-number: 7.0.0 - /toggle-selection@1.0.6: - resolution: {integrity: sha512-BiZS+C1OS8g/q2RRbJmy59xpyghNBqrr6k5L/uKBGRsTfxmu3ffiRnd8mlGPUVayg8pvfi5urfnu8TU7DVOkLQ==} - dev: false + toggle-selection@1.0.6: {} - /toidentifier@1.0.1: - resolution: {integrity: sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==} - engines: {node: '>=0.6'} - dev: false + toidentifier@1.0.1: {} - /toml@3.0.0: - resolution: {integrity: sha512-y/mWCZinnvxjTKYhJ+pYxwD0mRLVvOtdS2Awbgxln6iEnt4rk0yBxeSBHkGJcPucRiG0e55mwWp+g/05rsrd6w==} - dev: false + toml@3.0.0: {} - /totalist@3.0.1: - resolution: {integrity: sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ==} - engines: {node: '>=6'} - dev: false + totalist@3.0.1: {} - /tough-cookie@2.5.0: - resolution: {integrity: sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==} - engines: {node: '>=0.8'} + tough-cookie@2.5.0: dependencies: psl: 1.9.0 punycode: 2.3.1 - dev: false - /tough-cookie@4.1.4: - resolution: {integrity: sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==} - engines: {node: '>=6'} + tough-cookie@4.1.4: dependencies: psl: 1.9.0 punycode: 2.3.1 universalify: 0.2.0 url-parse: 1.5.10 - dev: false - /tr46@0.0.3: - resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==} - dev: false + tr46@0.0.3: {} - /tr46@5.0.0: - resolution: {integrity: sha512-tk2G5R2KRwBd+ZN0zaEXpmzdKyOYksXwywulIX95MBODjSzMIuQnQ3m8JxgbhnL1LeVo7lqQKsYa1O3Htl7K5g==} - engines: {node: '>=18'} + tr46@5.0.0: dependencies: punycode: 2.3.1 - dev: false - /ts-api-utils@1.3.0(typescript@5.6.2): - resolution: {integrity: sha512-UQMIo7pb8WRomKR1/+MFVLTroIvDVtMX3K6OUir8ynLyzB8Jeriont2bTAtmNPa1ekAgN7YPDyf6V+ygrdU+eQ==} - engines: {node: '>=16'} - peerDependencies: - typescript: '>=4.2.0' + ts-api-utils@1.3.0(typescript@5.6.2): dependencies: typescript: 5.6.2 - dev: true - /ts-node@10.9.2(@types/node@20.14.10)(typescript@5.6.2): - resolution: {integrity: sha512-f0FFpIdcHgn8zcPSbf1dRevwt047YMnaiJM3u2w2RewrB+fob/zePZcrOyQoLMMO7aBIddLcQIEK5dYjkLnGrQ==} - hasBin: true - peerDependencies: - '@swc/core': '>=1.2.50' - '@swc/wasm': '>=1.2.50' - '@types/node': '*' - typescript: '>=2.7' - peerDependenciesMeta: - '@swc/core': - optional: true - '@swc/wasm': - optional: true + ts-node@10.9.2(@types/node@20.14.10)(typescript@5.6.2): dependencies: '@cspotcode/source-map-support': 0.8.1 '@tsconfig/node10': 1.0.9 @@ -11554,21 +13521,8 @@ packages: typescript: 5.6.2 v8-compile-cache-lib: 3.0.1 yn: 3.1.1 - dev: false - /ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2): - resolution: {integrity: sha512-f0FFpIdcHgn8zcPSbf1dRevwt047YMnaiJM3u2w2RewrB+fob/zePZcrOyQoLMMO7aBIddLcQIEK5dYjkLnGrQ==} - hasBin: true - peerDependencies: - '@swc/core': '>=1.2.50' - '@swc/wasm': '>=1.2.50' - '@types/node': '*' - typescript: '>=2.7' - peerDependenciesMeta: - '@swc/core': - optional: true - '@swc/wasm': - optional: true + ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2): dependencies: '@cspotcode/source-map-support': 0.8.1 '@tsconfig/node10': 1.0.9 @@ -11585,160 +13539,58 @@ packages: typescript: 5.6.2 v8-compile-cache-lib: 3.0.1 yn: 3.1.1 - dev: false - /tslib@1.14.1: - resolution: {integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==} - dev: false + tslib@1.14.1: {} - /tslib@2.4.0: - resolution: {integrity: sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==} - dev: false + tslib@2.4.0: {} - /tslib@2.6.2: - resolution: {integrity: sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==} - dev: false + tslib@2.6.2: {} - /tslib@2.6.3: - resolution: {integrity: sha512-xNvxJEOUiWPGhUuUdQgAJPKOOJfGnIyKySOc09XkKsgdUV/3E2zvwZYdejjmRgPCgcym1juLH3226yA7sEFJKQ==} - dev: false + tslib@2.6.3: {} - /tslib@2.7.0: - resolution: {integrity: sha512-gLXCKdN1/j47AiHiOkJN69hJmcbGTHI0ImLmbYLHykhgeN0jVGola9yVjFgzCUklsZQMW55o+dW7IXv3RCXDzA==} - dev: false + tslib@2.7.0: {} - /tsx@4.16.2: - resolution: {integrity: sha512-C1uWweJDgdtX2x600HjaFaucXTilT7tgUZHbOE4+ypskZ1OP8CRCSDkCxG6Vya9EwaFIVagWwpaVAn5wzypaqQ==} - engines: {node: '>=18.0.0'} - hasBin: true + tsx@4.16.2: dependencies: esbuild: 0.21.5 get-tsconfig: 4.7.5 optionalDependencies: fsevents: 2.3.3 - dev: false - /tunnel-agent@0.6.0: - resolution: {integrity: sha512-McnNiV1l8RYeY8tBgEpuodCC1mLUdbSN+CYBL7kJsJNInOP8UjDDEwdk6Mw60vdLLrr5NHKZhMAOSrR2NZuQ+w==} + tunnel-agent@0.6.0: dependencies: safe-buffer: 5.2.1 - dev: false - /tweetnacl@0.14.5: - resolution: {integrity: sha512-KXXFFdAbFXY4geFIwoyNK+f5Z1b7swfXABfL7HXCmoIWMKU3dmS26672A4EeQtDzLKy7SXmfBu51JolvEKwtGA==} - dev: false + tweetnacl@0.14.5: {} - /tweetnacl@1.0.3: - resolution: {integrity: sha512-6rt+RN7aOi1nGMyC4Xa5DdYiukl2UWCbcJft7YhxReBGQD7OAM8Pbxw6YMo4r2diNEA8FEmu32YOn9rhaiE5yw==} - dev: false + tweetnacl@1.0.3: {} - /type-check@0.4.0: - resolution: {integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==} - engines: {node: '>= 0.8.0'} + type-check@0.4.0: dependencies: prelude-ls: 1.2.1 - dev: true - /type-detect@4.0.8: - resolution: {integrity: sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==} - engines: {node: '>=4'} - dev: false + type-detect@4.0.8: {} - /type-fest@0.13.1: - resolution: {integrity: sha512-34R7HTnG0XIJcBSn5XhDd7nNFPRcXYRZrBB2O2jdKqYODldSzBAqzsWoZYYvduky73toYS/ESqxPvkDf/F0XMg==} - engines: {node: '>=10'} - dev: false + type-fest@0.13.1: {} - /type-fest@0.20.2: - resolution: {integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==} - engines: {node: '>=10'} - dev: true + type-fest@0.20.2: {} - /type-fest@0.21.3: - resolution: {integrity: sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==} - engines: {node: '>=10'} - dev: false + type-fest@0.21.3: {} - /type-is@1.6.18: - resolution: {integrity: sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==} - engines: {node: '>= 0.6'} + type-is@1.6.18: dependencies: media-typer: 0.3.0 mime-types: 2.1.35 - dev: false - /type@2.7.3: - resolution: {integrity: sha512-8j+1QmAbPvLZow5Qpi6NCaN8FB60p/6x8/vfNqOk/hC+HuvFZhL4+WfekuhQLiqFZXOgQdrs3B+XxEmCc6b3FQ==} - dev: false + type@2.7.3: {} - /typed-function@4.2.1: - resolution: {integrity: sha512-EGjWssW7Tsk4DGfE+5yluuljS1OGYWiI1J6e8puZz9nTMM51Oug8CD5Zo4gWMsOhq5BI+1bF+rWTm4Vbj3ivRA==} - engines: {node: '>= 18'} - dev: false + typed-function@4.2.1: {} - /typedarray-to-buffer@3.1.5: - resolution: {integrity: sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==} + typedarray-to-buffer@3.1.5: dependencies: is-typedarray: 1.0.0 - dev: false - /typeorm@0.3.20(sqlite3@5.1.7): - resolution: {integrity: sha512-sJ0T08dV5eoZroaq9uPKBoNcGslHBR4E4y+EBHs//SiGbblGe7IeduP/IH4ddCcj0qp3PHwDwGnuvqEAnKlq/Q==} - engines: {node: '>=16.13.0'} - hasBin: true - peerDependencies: - '@google-cloud/spanner': ^5.18.0 - '@sap/hana-client': ^2.12.25 - better-sqlite3: ^7.1.2 || ^8.0.0 || ^9.0.0 - hdb-pool: ^0.1.6 - ioredis: ^5.0.4 - mongodb: ^5.8.0 - mssql: ^9.1.1 || ^10.0.1 - mysql2: ^2.2.5 || ^3.0.1 - oracledb: ^6.3.0 - pg: ^8.5.1 - pg-native: ^3.0.0 - pg-query-stream: ^4.0.0 - redis: ^3.1.1 || ^4.0.0 - sql.js: ^1.4.0 - sqlite3: ^5.0.3 - ts-node: ^10.7.0 - typeorm-aurora-data-api-driver: ^2.0.0 - peerDependenciesMeta: - '@google-cloud/spanner': - optional: true - '@sap/hana-client': - optional: true - better-sqlite3: - optional: true - hdb-pool: - optional: true - ioredis: - optional: true - mongodb: - optional: true - mssql: - optional: true - mysql2: - optional: true - oracledb: - optional: true - pg: - optional: true - pg-native: - optional: true - pg-query-stream: - optional: true - redis: - optional: true - sql.js: - optional: true - sqlite3: - optional: true - ts-node: - optional: true - typeorm-aurora-data-api-driver: - optional: true + typeorm@0.3.20(sqlite3@5.1.7): dependencies: '@sqltools/formatter': 1.2.5 app-root-path: 3.1.0 @@ -11758,167 +13610,89 @@ packages: yargs: 17.7.2 transitivePeerDependencies: - supports-color - dev: false - /typescript@4.9.5: - resolution: {integrity: sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==} - engines: {node: '>=4.2.0'} - hasBin: true - dev: false + typescript@4.9.5: {} - /typescript@5.6.2: - resolution: {integrity: sha512-NW8ByodCSNCwZeghjN3o+JX5OFH0Ojg6sadjEKY4huZ52TqbJTJnDo5+Tw98lSy63NZvi4n+ez5m2u5d4PkZyw==} - engines: {node: '>=14.17'} - hasBin: true + typescript@5.6.2: {} - /uint8arrays@3.1.1: - resolution: {integrity: sha512-+QJa8QRnbdXVpHYjLoTpJIdCTiw9Ir62nocClWuXIq2JIh4Uta0cQsTSpFL678p2CN8B+XSApwcU+pQEqVpKWg==} + uint8arrays@3.1.1: dependencies: multiformats: 9.9.0 - dev: false - /ultron@1.1.1: - resolution: {integrity: sha512-UIEXBNeYmKptWH6z8ZnqTeS8fV74zG0/eRU9VGkpzz+LIJNs8W/zM/L+7ctCkRrgbNnnR0xxw4bKOr0cW0N0Og==} - dev: false + ultron@1.1.1: {} - /undici-types@5.26.5: - resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==} - dev: false + undici-types@5.26.5: {} - /undici-types@6.19.8: - resolution: {integrity: sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==} + undici-types@6.19.8: {} - /unique-filename@1.1.1: - resolution: {integrity: sha512-Vmp0jIp2ln35UTXuryvjzkjGdRyf9b2lTXuSYUiPmzRcl3FDtYqAwOnTJkAngD9SWhnoJzDbTKwaOrZ+STtxNQ==} - requiresBuild: true + unique-filename@1.1.1: dependencies: unique-slug: 2.0.2 - dev: false optional: true - /unique-slug@2.0.2: - resolution: {integrity: sha512-zoWr9ObaxALD3DOPfjPSqxt4fnZiWblxHIgeWqW8x7UqDzEtHEQLzji2cuJYQFCU6KmoJikOYAZlrTHHebjx2w==} - requiresBuild: true + unique-slug@2.0.2: dependencies: imurmurhash: 0.1.4 - dev: false optional: true - /universal-github-app-jwt@2.2.0: - resolution: {integrity: sha512-G5o6f95b5BggDGuUfKDApKaCgNYy2x7OdHY0zSMF081O0EJobw+1130VONhrA7ezGSV2FNOGyM+KQpQZAr9bIQ==} - dev: false + universal-github-app-jwt@2.2.0: {} - /universal-user-agent@7.0.2: - resolution: {integrity: sha512-0JCqzSKnStlRRQfCdowvqy3cy0Dvtlb8xecj/H8JFZuCze4rwjPZQOgvFvn0Ws/usCHQFGpyr+pB9adaGwXn4Q==} - dev: false + universal-user-agent@7.0.2: {} - /universalify@0.1.2: - resolution: {integrity: sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==} - engines: {node: '>= 4.0.0'} - dev: false + universalify@0.1.2: {} - /universalify@0.2.0: - resolution: {integrity: sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==} - engines: {node: '>= 4.0.0'} - dev: false + universalify@0.2.0: {} - /universalify@2.0.1: - resolution: {integrity: sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==} - engines: {node: '>= 10.0.0'} - dev: false + universalify@2.0.1: {} - /unpipe@1.0.0: - resolution: {integrity: sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==} - engines: {node: '>= 0.8'} - dev: false + unpipe@1.0.0: {} - /uri-js@4.4.1: - resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==} + uri-js@4.4.1: dependencies: punycode: 2.3.1 - /url-parse@1.5.10: - resolution: {integrity: sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==} + url-parse@1.5.10: dependencies: querystringify: 2.2.0 requires-port: 1.0.0 - dev: false - /url-set-query@1.0.0: - resolution: {integrity: sha512-3AChu4NiXquPfeckE5R5cGdiHCMWJx1dwCWOmWIL4KHAziJNOFIYJlpGFeKDvwLPHovZRCxK3cYlwzqI9Vp+Gg==} - dev: false + url-set-query@1.0.0: {} - /utf-8-validate@5.0.10: - resolution: {integrity: sha512-Z6czzLq4u8fPOyx7TU6X3dvUZVvoJmxSQ+IcrlmagKhilxlhZgxPK6C5Jqbkw1IDUmFTM+cz9QDnnLTwDz/2gQ==} - engines: {node: '>=6.14.2'} - requiresBuild: true + utf-8-validate@5.0.10: dependencies: node-gyp-build: 4.8.1 - dev: false - /utf8@3.0.0: - resolution: {integrity: sha512-E8VjFIQ/TyQgp+TZfS6l8yp/xWppSAHzidGiRrqe4bK4XP9pTRyKFgGJpO3SN7zdX4DeomTrwaseCHovfpFcqQ==} - dev: false + utf8@3.0.0: {} - /util-deprecate@1.0.2: - resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==} - dev: false + util-deprecate@1.0.2: {} - /util@0.12.5: - resolution: {integrity: sha512-kZf/K6hEIrWHI6XqOFUiiMa+79wE/D8Q+NCNAWclkyg3b4d2k7s0QGepNjiABc+aR3N1PAyHL7p6UcLY6LmrnA==} + util@0.12.5: dependencies: inherits: 2.0.4 is-arguments: 1.1.1 is-generator-function: 1.0.10 is-typed-array: 1.1.13 which-typed-array: 1.1.15 - dev: false - /utils-merge@1.0.1: - resolution: {integrity: sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==} - engines: {node: '>= 0.4.0'} - dev: false + utils-merge@1.0.1: {} - /uuid@3.4.0: - resolution: {integrity: sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==} - deprecated: Please upgrade to version 7 or higher. Older versions may use Math.random() in certain circumstances, which is known to be problematic. See https://v8.dev/blog/math-random for details. - hasBin: true - dev: false + uuid@3.4.0: {} - /uuid@9.0.1: - resolution: {integrity: sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA==} - hasBin: true - dev: false + uuid@9.0.1: {} - /v8-compile-cache-lib@3.0.1: - resolution: {integrity: sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==} - dev: false + v8-compile-cache-lib@3.0.1: {} - /varint@5.0.2: - resolution: {integrity: sha512-lKxKYG6H03yCZUpAGOPOsMcGxd1RHCu1iKvEHYDPmTyq2HueGhD73ssNBqqQWfvYs04G9iUFRvmAVLW20Jw6ow==} - dev: false + varint@5.0.2: {} - /vary@1.1.2: - resolution: {integrity: sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==} - engines: {node: '>= 0.8'} - dev: false + vary@1.1.2: {} - /verror@1.10.0: - resolution: {integrity: sha512-ZZKSmDAEFOijERBLkmYfJ+vmk3w+7hOLYDNkRCuRuMJGEmqYNCNLyBBFwWKVMhfwaEF3WOd0Zlw86U/WC/+nYw==} - engines: {'0': node >=0.6.0} + verror@1.10.0: dependencies: assert-plus: 1.0.0 core-util-is: 1.0.2 extsprintf: 1.3.0 - dev: false - /viem@2.17.3(typescript@5.6.2): - resolution: {integrity: sha512-FY/1uBQWfko4Esy8mU1RamvL64TLy91LZwFyQJ20E6AI3vTTEOctWfSn0pkMKa3okq4Gxs5dJE7q1hmWOQ7xcw==} - peerDependencies: - typescript: '>=5.0.4' - peerDependenciesMeta: - typescript: - optional: true + viem@2.17.3(typescript@5.6.2): dependencies: '@adraffy/ens-normalize': 1.10.0 '@noble/curves': 1.4.0 @@ -11933,15 +13707,8 @@ packages: - bufferutil - utf-8-validate - zod - dev: false - /viem@2.21.14(typescript@5.6.2): - resolution: {integrity: sha512-uM6XmY9Q/kJRVSopJAGsakmtNDpk/EswqXUzwOp9DzhGuwgpWtw2MgwpfFdIyqBDFIw+TTypCIUTcwJSgEYSzA==} - peerDependencies: - typescript: '>=5.0.4' - peerDependenciesMeta: - typescript: - optional: true + viem@2.21.14(typescript@5.6.2): dependencies: '@adraffy/ens-normalize': 1.10.0 '@noble/curves': 1.4.0 @@ -11957,12 +13724,8 @@ packages: - bufferutil - utf-8-validate - zod - dev: false - /vite-node@2.1.1(@types/node@22.7.0): - resolution: {integrity: sha512-N/mGckI1suG/5wQI35XeR9rsMsPqKXzq1CdUndzVstBj/HvyxxGctwnK6WX43NGt5L3Z5tcRf83g4TITKJhPrA==} - engines: {node: ^18.0.0 || >=20.0.0} - hasBin: true + vite-node@2.1.1(@types/node@22.7.0): dependencies: cac: 6.7.14 debug: 4.3.7(supports-color@8.1.1) @@ -11976,69 +13739,18 @@ packages: - stylus - sugarss - supports-color - - terser - dev: false - - /vite@5.1.6(@types/node@22.7.0): - resolution: {integrity: sha512-yYIAZs9nVfRJ/AiOLCA91zzhjsHUgMjB+EigzFb6W2XTLO8JixBCKCjvhKZaye+NKYHCrkv3Oh50dH9EdLU2RA==} - engines: {node: ^18.0.0 || >=20.0.0} - hasBin: true - peerDependencies: - '@types/node': ^18.0.0 || >=20.0.0 - less: '*' - lightningcss: ^1.21.0 - sass: '*' - stylus: '*' - sugarss: '*' - terser: ^5.4.0 - peerDependenciesMeta: - '@types/node': - optional: true - less: - optional: true - lightningcss: - optional: true - sass: - optional: true - stylus: - optional: true - sugarss: - optional: true - terser: - optional: true - dependencies: - '@types/node': 22.7.0 - esbuild: 0.19.12 - postcss: 8.4.39 - rollup: 4.13.0 - optionalDependencies: - fsevents: 2.3.3 - dev: false - - /vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1): - resolution: {integrity: sha512-97We7/VC0e9X5zBVkvt7SGQMGrRtn3KtySFQG5fpaMlS+l62eeXRQO633AYhSTC3z7IMebnPPNjGXVGNRFlxBA==} - engines: {node: ^18.0.0 || >=20.0.0} - hasBin: true - peerDependencies: - '@edge-runtime/vm': '*' - '@types/node': ^18.0.0 || >=20.0.0 - '@vitest/browser': 2.1.1 - '@vitest/ui': 2.1.1 - happy-dom: '*' - jsdom: '*' - peerDependenciesMeta: - '@edge-runtime/vm': - optional: true - '@types/node': - optional: true - '@vitest/browser': - optional: true - '@vitest/ui': - optional: true - happy-dom: - optional: true - jsdom: - optional: true + - terser + + vite@5.1.6(@types/node@22.7.0): + dependencies: + '@types/node': 22.7.0 + esbuild: 0.19.12 + postcss: 8.4.39 + rollup: 4.13.0 + optionalDependencies: + fsevents: 2.3.3 + + vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1): dependencies: '@types/node': 22.7.0 '@vitest/expect': 2.1.1 @@ -12070,15 +13782,8 @@ packages: - sugarss - supports-color - terser - dev: false - /vue@3.4.31(typescript@5.6.2): - resolution: {integrity: sha512-njqRrOy7W3YLAlVqSKpBebtZpDVg21FPoaq1I7f/+qqBThK9ChAIjkRWgeP6Eat+8C+iia4P3OYqpATP21BCoQ==} - peerDependencies: - typescript: '*' - peerDependenciesMeta: - typescript: - optional: true + vue@3.4.31(typescript@5.6.2): dependencies: '@vue/compiler-dom': 3.4.31 '@vue/compiler-sfc': 3.4.31 @@ -12086,30 +13791,18 @@ packages: '@vue/server-renderer': 3.4.31(vue@3.4.31) '@vue/shared': 3.4.31 typescript: 5.6.2 - dev: false - /w3c-xmlserializer@5.0.0: - resolution: {integrity: sha512-o8qghlI8NZHU1lLPrpi2+Uq7abh4GGPpYANlalzWxyWteJOCsr/P+oPBA49TOLu5FTZO4d3F9MnWJfiMo4BkmA==} - engines: {node: '>=18'} + w3c-xmlserializer@5.0.0: dependencies: xml-name-validator: 5.0.0 - dev: false - /wcwidth@1.0.1: - resolution: {integrity: sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==} + wcwidth@1.0.1: dependencies: defaults: 1.0.4 - dev: false - /web-streams-polyfill@3.2.1: - resolution: {integrity: sha512-e0MO3wdXWKrLbL0DgGnUV7WHVuw9OUvL4hjgnPkIeEvESk74gAITi5G606JtZPp39cd8HA9VQzCIvA49LpPN5Q==} - engines: {node: '>= 8'} - dev: false + web-streams-polyfill@3.2.1: {} - /web3-bzz@1.10.4: - resolution: {integrity: sha512-ZZ/X4sJ0Uh2teU9lAGNS8EjveEppoHNQiKlOXAjedsrdWuaMErBPdLQjXfcrYvN6WM6Su9PMsAxf3FXXZ+HwQw==} - engines: {node: '>=8.0.0'} - requiresBuild: true + web3-bzz@1.10.4: dependencies: '@types/node': 12.20.55 got: 12.1.0 @@ -12118,37 +13811,25 @@ packages: - bufferutil - supports-color - utf-8-validate - dev: false - /web3-core-helpers@1.10.4: - resolution: {integrity: sha512-r+L5ylA17JlD1vwS8rjhWr0qg7zVoVMDvWhajWA5r5+USdh91jRUYosp19Kd1m2vE034v7Dfqe1xYRoH2zvG0g==} - engines: {node: '>=8.0.0'} + web3-core-helpers@1.10.4: dependencies: web3-eth-iban: 1.10.4 web3-utils: 1.10.4 - dev: false - /web3-core-method@1.10.4: - resolution: {integrity: sha512-uZTb7flr+Xl6LaDsyTeE2L1TylokCJwTDrIVfIfnrGmnwLc6bmTWCCrm71sSrQ0hqs6vp/MKbQYIYqUN0J8WyA==} - engines: {node: '>=8.0.0'} + web3-core-method@1.10.4: dependencies: '@ethersproject/transactions': 5.7.0 web3-core-helpers: 1.10.4 web3-core-promievent: 1.10.4 web3-core-subscriptions: 1.10.4 web3-utils: 1.10.4 - dev: false - /web3-core-promievent@1.10.4: - resolution: {integrity: sha512-2de5WnJQ72YcIhYwV/jHLc4/cWJnznuoGTJGD29ncFQHAfwW/MItHFSVKPPA5v8AhJe+r6y4Y12EKvZKjQVBvQ==} - engines: {node: '>=8.0.0'} + web3-core-promievent@1.10.4: dependencies: eventemitter3: 4.0.4 - dev: false - /web3-core-requestmanager@1.10.4: - resolution: {integrity: sha512-vqP6pKH8RrhT/2MoaU+DY/OsYK9h7HmEBNCdoMj+4ZwujQtw/Mq2JifjwsJ7gits7Q+HWJwx8q6WmQoVZAWugg==} - engines: {node: '>=8.0.0'} + web3-core-requestmanager@1.10.4: dependencies: util: 0.12.5 web3-core-helpers: 1.10.4 @@ -12158,19 +13839,13 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-core-subscriptions@1.10.4: - resolution: {integrity: sha512-o0lSQo/N/f7/L76C0HV63+S54loXiE9fUPfHFcTtpJRQNDBVsSDdWRdePbWwR206XlsBqD5VHApck1//jEafTw==} - engines: {node: '>=8.0.0'} + web3-core-subscriptions@1.10.4: dependencies: eventemitter3: 4.0.4 web3-core-helpers: 1.10.4 - dev: false - /web3-core@1.10.4: - resolution: {integrity: sha512-B6elffYm81MYZDTrat7aEhnhdtVE3lDBUZft16Z8awYMZYJDbnykEbJVS+l3mnA7AQTnSDr/1MjWofGDLBJPww==} - engines: {node: '>=8.0.0'} + web3-core@1.10.4: dependencies: '@types/bn.js': 5.1.5 '@types/node': 12.20.55 @@ -12182,11 +13857,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-core@4.5.0: - resolution: {integrity: sha512-Q8LIAqmF7vkRydBPiU+OC7wI44nEU6JEExolFaOakqrjMtQ1CWFHRUQMNJRDsk5bRirjyShuAsuqLeYByvvXhg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-core@4.5.0: dependencies: web3-errors: 1.2.0 web3-eth-accounts: 4.1.2 @@ -12202,11 +13874,8 @@ packages: - bufferutil - encoding - utf-8-validate - dev: false - /web3-core@4.6.0: - resolution: {integrity: sha512-j8uQ/7zSwpmLClMMeZb736Ok3V4cWSd0dnd29jkd10d1pedi32r+hSAgycxSJLLWtPHOzMBIXUjj3TF/IAClVQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-core@4.6.0: dependencies: web3-errors: 1.3.0 web3-eth-accounts: 4.2.1 @@ -12222,33 +13891,21 @@ packages: - bufferutil - encoding - utf-8-validate - dev: false - /web3-errors@1.2.0: - resolution: {integrity: sha512-58Kczou5zyjcm9LuSs5Hrm6VrG8t9p2J8X0yGArZrhKNPZL66gMGkOUpPx+EopE944Sk4yE+Q25hKv4H5BH+kA==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-errors@1.2.0: dependencies: web3-types: 1.7.0 - dev: false - /web3-errors@1.3.0: - resolution: {integrity: sha512-j5JkAKCtuVMbY3F5PYXBqg1vWrtF4jcyyMY1rlw8a4PV67AkqlepjGgpzWJZd56Mt+TvHy6DA1F/3Id8LatDSQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-errors@1.3.0: dependencies: web3-types: 1.8.0 - dev: false - /web3-eth-abi@1.10.4: - resolution: {integrity: sha512-cZ0q65eJIkd/jyOlQPDjr8X4fU6CRL1eWgdLwbWEpo++MPU/2P4PFk5ZLAdye9T5Sdp+MomePPJ/gHjLMj2VfQ==} - engines: {node: '>=8.0.0'} + web3-eth-abi@1.10.4: dependencies: '@ethersproject/abi': 5.7.0 web3-utils: 1.10.4 - dev: false - /web3-eth-abi@4.2.2(typescript@5.6.2): - resolution: {integrity: sha512-akbGi642UtKG3k3JuLbhl9KuG7LM/cXo/by2WfdwfOptGZrzRsWJNWje1d2xfw1n9kkVG9SAMvPJl1uSyR3dfw==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-abi@4.2.2(typescript@5.6.2): dependencies: abitype: 0.7.1(typescript@5.6.2) web3-errors: 1.2.0 @@ -12258,11 +13915,8 @@ packages: transitivePeerDependencies: - typescript - zod - dev: false - /web3-eth-abi@4.2.4(typescript@5.6.2): - resolution: {integrity: sha512-FGoj/ENm/Iq3+6myJyiDCwbFkha9ZCx2fRdiIdw3mp7S4lgu+ay3EVzQPRxJjNBm09UEfxB9yoSAPKj9Z3Mbxg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-abi@4.2.4(typescript@5.6.2): dependencies: abitype: 0.7.1(typescript@5.6.2) web3-errors: 1.3.0 @@ -12272,11 +13926,8 @@ packages: transitivePeerDependencies: - typescript - zod - dev: false - /web3-eth-accounts@1.10.4: - resolution: {integrity: sha512-ysy5sVTg9snYS7tJjxVoQAH6DTOTkRGR8emEVCWNGLGiB9txj+qDvSeT0izjurS/g7D5xlMAgrEHLK1Vi6I3yg==} - engines: {node: '>=8.0.0'} + web3-eth-accounts@1.10.4: dependencies: '@ethereumjs/common': 2.6.5 '@ethereumjs/tx': 3.5.2 @@ -12291,11 +13942,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-eth-accounts@4.1.2: - resolution: {integrity: sha512-y0JynDeTDnclyuE9mShXLeEj+BCrPHxPHOyPCgTchUBQsALF9+0OhP7WiS3IqUuu0Hle5bjG2f5ddeiPtNEuLg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-accounts@4.1.2: dependencies: '@ethereumjs/rlp': 4.0.1 crc-32: 1.2.2 @@ -12304,11 +13952,8 @@ packages: web3-types: 1.7.0 web3-utils: 4.3.0 web3-validator: 2.0.6 - dev: false - /web3-eth-accounts@4.2.1: - resolution: {integrity: sha512-aOlEZFzqAgKprKs7+DGArU4r9b+ILBjThpeq42aY7LAQcP+mSpsWcQgbIRK3r/n3OwTYZ3aLPk0Ih70O/LwnYA==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-accounts@4.2.1: dependencies: '@ethereumjs/rlp': 4.0.1 crc-32: 1.2.2 @@ -12317,11 +13962,8 @@ packages: web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 - dev: false - /web3-eth-contract@1.10.4: - resolution: {integrity: sha512-Q8PfolOJ4eV9TvnTj1TGdZ4RarpSLmHnUnzVxZ/6/NiTfe4maJz99R0ISgwZkntLhLRtw0C7LRJuklzGYCNN3A==} - engines: {node: '>=8.0.0'} + web3-eth-contract@1.10.4: dependencies: '@types/bn.js': 5.1.5 web3-core: 1.10.4 @@ -12334,11 +13976,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-eth-contract@4.5.0(typescript@5.6.2): - resolution: {integrity: sha512-AX6OiDrIryz/T28k9Xz0gXpUrlOUjcooEgGluu2s5dFDWCPM/zlN5RsUZlXZiXpQyj52VCUy5+bkvu3yDPA4fg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-contract@4.5.0(typescript@5.6.2): dependencies: web3-core: 4.5.0 web3-errors: 1.2.0 @@ -12353,11 +13992,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-eth-contract@4.7.0(typescript@5.6.2): - resolution: {integrity: sha512-fdStoBOjFyMHwlyJmSUt/BTDL1ATwKGmG3zDXQ/zTKlkkW/F/074ut0Vry4GuwSBg9acMHc0ycOiZx9ZKjNHsw==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-contract@4.7.0(typescript@5.6.2): dependencies: '@ethereumjs/rlp': 5.0.2 web3-core: 4.6.0 @@ -12373,11 +14009,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-eth-ens@1.10.4: - resolution: {integrity: sha512-LLrvxuFeVooRVZ9e5T6OWKVflHPFgrVjJ/jtisRWcmI7KN/b64+D/wJzXqgmp6CNsMQcE7rpmf4CQmJCrTdsgg==} - engines: {node: '>=8.0.0'} + web3-eth-ens@1.10.4: dependencies: content-hash: 2.5.2 eth-ens-namehash: 2.0.8 @@ -12390,11 +14023,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-eth-ens@4.4.0(typescript@5.6.2): - resolution: {integrity: sha512-DeyVIS060hNV9g8dnTx92syqvgbvPricE3MerCxe/DquNZT3tD8aVgFfq65GATtpCgDDJffO2bVeHp3XBemnSQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-ens@4.4.0(typescript@5.6.2): dependencies: '@adraffy/ens-normalize': 1.10.1 web3-core: 4.6.0 @@ -12411,29 +14041,20 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-eth-iban@1.10.4: - resolution: {integrity: sha512-0gE5iNmOkmtBmbKH2aTodeompnNE8jEyvwFJ6s/AF6jkw9ky9Op9cqfzS56AYAbrqEFuClsqB/AoRves7LDELw==} - engines: {node: '>=8.0.0'} + web3-eth-iban@1.10.4: dependencies: bn.js: 5.2.1 web3-utils: 1.10.4 - dev: false - /web3-eth-iban@4.0.7: - resolution: {integrity: sha512-8weKLa9KuKRzibC87vNLdkinpUE30gn0IGY027F8doeJdcPUfsa4IlBgNC4k4HLBembBB2CTU0Kr/HAOqMeYVQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-iban@4.0.7: dependencies: web3-errors: 1.3.0 web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 - dev: false - /web3-eth-personal@1.10.4: - resolution: {integrity: sha512-BRa/hs6jU1hKHz+AC/YkM71RP3f0Yci1dPk4paOic53R4ZZG4MgwKRkJhgt3/GPuPliwS46f/i5A7fEGBT4F9w==} - engines: {node: '>=8.0.0'} + web3-eth-personal@1.10.4: dependencies: '@types/node': 12.20.55 web3-core: 1.10.4 @@ -12444,11 +14065,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-eth-personal@4.0.8(typescript@5.6.2): - resolution: {integrity: sha512-sXeyLKJ7ddQdMxz1BZkAwImjqh7OmKxhXoBNF3isDmD4QDpMIwv/t237S3q4Z0sZQamPa/pHebJRWVuvP8jZdw==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-personal@4.0.8(typescript@5.6.2): dependencies: web3-core: 4.5.0 web3-eth: 4.8.0(typescript@5.6.2) @@ -12462,11 +14080,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-eth-personal@4.1.0(typescript@5.6.2): - resolution: {integrity: sha512-RFN83uMuvA5cu1zIwwJh9A/bAj0OBxmGN3tgx19OD/9ygeUZbifOL06jgFzN0t+1ekHqm3DXYQM8UfHpXi7yDQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth-personal@4.1.0(typescript@5.6.2): dependencies: web3-core: 4.6.0 web3-eth: 4.9.0(typescript@5.6.2) @@ -12480,11 +14095,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-eth@1.10.4: - resolution: {integrity: sha512-Sql2kYKmgt+T/cgvg7b9ce24uLS7xbFrxE4kuuor1zSCGrjhTJ5rRNG8gTJUkAJGKJc7KgnWmgW+cOfMBPUDSA==} - engines: {node: '>=8.0.0'} + web3-eth@1.10.4: dependencies: web3-core: 1.10.4 web3-core-helpers: 1.10.4 @@ -12501,11 +14113,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-eth@4.8.0(typescript@5.6.2): - resolution: {integrity: sha512-fobkdpwN9SH785/0LSLfxOMH4rZNAD/EvTKIHdpl4ZVz5XdKehX+xPMpSGDGwMlAQ7yXByjZDX3opzoqEQLWxg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth@4.8.0(typescript@5.6.2): dependencies: setimmediate: 1.0.5 web3-core: 4.5.0 @@ -12524,11 +14133,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-eth@4.9.0(typescript@5.6.2): - resolution: {integrity: sha512-lE+5rQUkQq1Mzf3uZ/tlay8nvMyC/CmaRFRFQ015OZuvSrRr/byZhhkzY5ZWkIetESTMqfWapu67yeHebcHxwA==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-eth@4.9.0(typescript@5.6.2): dependencies: setimmediate: 1.0.5 web3-core: 4.6.0 @@ -12547,11 +14153,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3-net@1.10.4: - resolution: {integrity: sha512-mKINnhOOnZ4koA+yV2OT5s5ztVjIx7IY9a03w6s+yao/BUn+Luuty0/keNemZxTr1E8Ehvtn28vbOtW7Ids+Ow==} - engines: {node: '>=8.0.0'} + web3-net@1.10.4: dependencies: web3-core: 1.10.4 web3-core-method: 1.10.4 @@ -12559,11 +14162,8 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-net@4.1.0: - resolution: {integrity: sha512-WWmfvHVIXWEoBDWdgKNYKN8rAy6SgluZ0abyRyXOL3ESr7ym7pKWbfP4fjApIHlYTh8tNqkrdPfM4Dyi6CA0SA==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-net@4.1.0: dependencies: web3-core: 4.6.0 web3-rpc-methods: 1.3.0 @@ -12573,11 +14173,8 @@ packages: - bufferutil - encoding - utf-8-validate - dev: false - /web3-providers-http@1.10.4: - resolution: {integrity: sha512-m2P5Idc8hdiO0l60O6DSCPw0kw64Zgi0pMjbEFRmxKIck2Py57RQMu4bxvkxJwkF06SlGaEQF8rFZBmuX7aagQ==} - engines: {node: '>=8.0.0'} + web3-providers-http@1.10.4: dependencies: abortcontroller-polyfill: 1.7.5 cross-fetch: 4.0.0 @@ -12585,11 +14182,8 @@ packages: web3-core-helpers: 1.10.4 transitivePeerDependencies: - encoding - dev: false - /web3-providers-http@4.1.0: - resolution: {integrity: sha512-6qRUGAhJfVQM41E5t+re5IHYmb5hSaLc02BE2MaRQsz2xKA6RjmHpOA5h/+ojJxEpI9NI2CrfDKOAgtJfoUJQg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-providers-http@4.1.0: dependencies: cross-fetch: 4.0.0 web3-errors: 1.2.0 @@ -12597,11 +14191,8 @@ packages: web3-utils: 4.3.0 transitivePeerDependencies: - encoding - dev: false - /web3-providers-http@4.2.0: - resolution: {integrity: sha512-IPMnDtHB7dVwaB7/mMxAZzyq7d5ezfO1+Vw0bNfAeIi7gaDlJiggp85SdyAfOgov8AMUA/dyiY72kQ0KmjXKvQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-providers-http@4.2.0: dependencies: cross-fetch: 4.0.0 web3-errors: 1.3.0 @@ -12609,41 +14200,28 @@ packages: web3-utils: 4.3.1 transitivePeerDependencies: - encoding - dev: false - /web3-providers-ipc@1.10.4: - resolution: {integrity: sha512-YRF/bpQk9z3WwjT+A6FI/GmWRCASgd+gC0si7f9zbBWLXjwzYAKG73bQBaFRAHex1hl4CVcM5WUMaQXf3Opeuw==} - engines: {node: '>=8.0.0'} + web3-providers-ipc@1.10.4: dependencies: oboe: 2.1.5 web3-core-helpers: 1.10.4 - dev: false - /web3-providers-ipc@4.0.7: - resolution: {integrity: sha512-YbNqY4zUvIaK2MHr1lQFE53/8t/ejHtJchrWn9zVbFMGXlTsOAbNoIoZWROrg1v+hCBvT2c9z8xt7e/+uz5p1g==} - engines: {node: '>=14', npm: '>=6.12.0'} - requiresBuild: true + web3-providers-ipc@4.0.7: dependencies: web3-errors: 1.3.0 web3-types: 1.8.0 web3-utils: 4.3.1 - dev: false optional: true - /web3-providers-ws@1.10.4: - resolution: {integrity: sha512-j3FBMifyuFFmUIPVQR4pj+t5ILhAexAui0opgcpu9R5LxQrLRUZxHSnU+YO25UycSOa/NAX8A+qkqZNpcFAlxA==} - engines: {node: '>=8.0.0'} + web3-providers-ws@1.10.4: dependencies: eventemitter3: 4.0.4 web3-core-helpers: 1.10.4 websocket: 1.0.35 transitivePeerDependencies: - supports-color - dev: false - /web3-providers-ws@4.0.7: - resolution: {integrity: sha512-n4Dal9/rQWjS7d6LjyEPM2R458V8blRm0eLJupDEJOOIBhGYlxw5/4FthZZ/cqB7y/sLVi7K09DdYx2MeRtU5w==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-providers-ws@4.0.7: dependencies: '@types/ws': 8.5.3 isomorphic-ws: 5.0.0(ws@8.18.0) @@ -12654,11 +14232,8 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false - /web3-providers-ws@4.0.8: - resolution: {integrity: sha512-goJdgata7v4pyzHRsg9fSegUG4gVnHZSHODhNnn6J93ykHkBI1nz4fjlGpcQLUMi4jAMz6SHl9Ibzs2jj9xqPw==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-providers-ws@4.0.8: dependencies: '@types/ws': 8.5.3 isomorphic-ws: 5.0.0(ws@8.18.0) @@ -12669,11 +14244,8 @@ packages: transitivePeerDependencies: - bufferutil - utf-8-validate - dev: false - /web3-rpc-methods@1.3.0: - resolution: {integrity: sha512-/CHmzGN+IYgdBOme7PdqzF+FNeMleefzqs0LVOduncSaqsppeOEoskLXb2anSpzmQAP3xZJPaTrkQPWSJMORig==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-rpc-methods@1.3.0: dependencies: web3-core: 4.5.0 web3-types: 1.7.0 @@ -12682,11 +14254,8 @@ packages: - bufferutil - encoding - utf-8-validate - dev: false - /web3-rpc-providers@1.0.0-rc.0: - resolution: {integrity: sha512-lmBOZ4PE+wf5JyptPZJ+GHeGPyTBfnCRbrfOxWLU+Q7g+D6NukgS3fk2xcunEvUsR/b5fp+uXk0TkmhX9/GCKg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-rpc-providers@1.0.0-rc.0: dependencies: web3-providers-http: 4.1.0 web3-providers-ws: 4.0.7 @@ -12696,11 +14265,8 @@ packages: - bufferutil - encoding - utf-8-validate - dev: false - /web3-rpc-providers@1.0.0-rc.2: - resolution: {integrity: sha512-ocFIEXcBx/DYQ90HhVepTBUVnL9pGsZw8wyPb1ZINSenwYus9SvcFkjU1Hfvd/fXjuhAv2bUVch9vxvMx1mXAQ==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-rpc-providers@1.0.0-rc.2: dependencies: web3-errors: 1.3.0 web3-providers-http: 4.2.0 @@ -12712,12 +14278,8 @@ packages: - bufferutil - encoding - utf-8-validate - dev: false - /web3-shh@1.10.4: - resolution: {integrity: sha512-cOH6iFFM71lCNwSQrC3niqDXagMqrdfFW85hC9PFUrAr3PUrIem8TNstTc3xna2bwZeWG6OBy99xSIhBvyIACw==} - engines: {node: '>=8.0.0'} - requiresBuild: true + web3-shh@1.10.4: dependencies: web3-core: 1.10.4 web3-core-method: 1.10.4 @@ -12726,21 +14288,12 @@ packages: transitivePeerDependencies: - encoding - supports-color - dev: false - /web3-types@1.7.0: - resolution: {integrity: sha512-nhXxDJ7a5FesRw9UG5SZdP/C/3Q2EzHGnB39hkAV+YGXDMgwxBXFWebQLfEzZzuArfHnvC0sQqkIHNwSKcVjdA==} - engines: {node: '>=14', npm: '>=6.12.0'} - dev: false + web3-types@1.7.0: {} - /web3-types@1.8.0: - resolution: {integrity: sha512-Z51wFLPGhZM/1uDxrxE8gzju3t2aEdRGn+YmLX463id5UjTuMEmP/9in1GFjqrsPB3m86czs8RnGBUt3ovueMw==} - engines: {node: '>=14', npm: '>=6.12.0'} - dev: false + web3-types@1.8.0: {} - /web3-utils@1.10.4: - resolution: {integrity: sha512-tsu8FiKJLk2PzhDl9fXbGUWTkkVXYhtTA+SmEFkKft+9BgwLxfCRpU96sWv7ICC8zixBNd3JURVoiR3dUXgP8A==} - engines: {node: '>=8.0.0'} + web3-utils@1.10.4: dependencies: '@ethereumjs/util': 8.1.0 bn.js: 5.2.1 @@ -12750,45 +14303,32 @@ packages: number-to-bn: 1.7.0 randombytes: 2.1.0 utf8: 3.0.0 - dev: false - /web3-utils@4.3.0: - resolution: {integrity: sha512-fGG2IZr0XB1vEoWZiyJzoy28HpsIfZgz4mgPeQA9aj5rIx8z0o80qUPtIyrCYX/Bo2gYALlV5SWIJWxJNUQn9Q==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-utils@4.3.0: dependencies: ethereum-cryptography: 2.2.1 eventemitter3: 5.0.1 web3-errors: 1.2.0 web3-types: 1.7.0 web3-validator: 2.0.6 - dev: false - /web3-utils@4.3.1: - resolution: {integrity: sha512-kGwOk8FxOLJ9DQC68yqNQc7AzN+k9YDLaW+ZjlAXs3qORhf8zXk5SxWAAGLbLykMs3vTeB0FTb1Exut4JEYfFA==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-utils@4.3.1: dependencies: ethereum-cryptography: 2.2.1 eventemitter3: 5.0.1 web3-errors: 1.3.0 web3-types: 1.8.0 web3-validator: 2.0.6 - dev: false - /web3-validator@2.0.6: - resolution: {integrity: sha512-qn9id0/l1bWmvH4XfnG/JtGKKwut2Vokl6YXP5Kfg424npysmtRLe9DgiNBM9Op7QL/aSiaA0TVXibuIuWcizg==} - engines: {node: '>=14', npm: '>=6.12.0'} + web3-validator@2.0.6: dependencies: ethereum-cryptography: 2.2.1 util: 0.12.5 web3-errors: 1.3.0 web3-types: 1.8.0 zod: 3.23.8 - dev: false - /web3@1.10.4: - resolution: {integrity: sha512-kgJvQZjkmjOEKimx/tJQsqWfRDPTTcBfYPa9XletxuHLpHcXdx67w8EFn5AW3eVxCutE9dTVHgGa9VYe8vgsEA==} - engines: {node: '>=8.0.0'} - requiresBuild: true + web3@1.10.4: dependencies: web3-bzz: 1.10.4 web3-core: 1.10.4 @@ -12802,11 +14342,8 @@ packages: - encoding - supports-color - utf-8-validate - dev: false - /web3@4.10.0(typescript@5.6.2): - resolution: {integrity: sha512-0A0SEZG4QL5DRtZQtF1pL+LldHn0kAAb4/vUdQua1k4CrZ+hRoDAc3dfFZw94EOV69oXuAFo8fqhITxyWfCHaw==} - engines: {node: '>=14.0.0', npm: '>=6.12.0'} + web3@4.10.0(typescript@5.6.2): dependencies: web3-core: 4.5.0 web3-errors: 1.2.0 @@ -12831,11 +14368,8 @@ packages: - typescript - utf-8-validate - zod - dev: false - /web3@4.13.0(typescript@5.6.2): - resolution: {integrity: sha512-wRXTu/YjelvBJ7PSLzp/rW8/6pqj4RlXzdKSkjk01RaHDvnpLogLU/VL8OF5ygqhY7IzhY5MSrl9SnC8C9Z4uA==} - engines: {node: '>=14.0.0', npm: '>=6.12.0'} + web3@4.13.0(typescript@5.6.2): dependencies: web3-core: 4.6.0 web3-errors: 1.3.0 @@ -12860,27 +14394,17 @@ packages: - typescript - utf-8-validate - zod - dev: false - /webauthn-p256@0.0.5: - resolution: {integrity: sha512-drMGNWKdaixZNobeORVIqq7k5DsRC9FnG201K2QjeOoQLmtSDaSsVZdkg6n5jUALJKcAG++zBPJXmv6hy0nWFg==} + webauthn-p256@0.0.5: dependencies: '@noble/curves': 1.4.2 '@noble/hashes': 1.4.0 - dev: false - /webidl-conversions@3.0.1: - resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==} - dev: false + webidl-conversions@3.0.1: {} - /webidl-conversions@7.0.0: - resolution: {integrity: sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==} - engines: {node: '>=12'} - dev: false + webidl-conversions@7.0.0: {} - /websocket@1.0.35: - resolution: {integrity: sha512-/REy6amwPZl44DDzvRCkaI1q1bIiQB0mEFQLUrhz3z2EK91cp3n72rAjUlrTP0zV22HJIUOVHQGPxhFRjxjt+Q==} - engines: {node: '>=4.0.0'} + websocket@1.0.35: dependencies: bufferutil: 4.0.8 debug: 2.6.9 @@ -12890,191 +14414,106 @@ packages: yaeti: 0.0.6 transitivePeerDependencies: - supports-color - dev: false - /whatwg-encoding@3.1.1: - resolution: {integrity: sha512-6qN4hJdMwfYBtE3YBTTHhoeuUrDBPZmbQaxWAqSALV/MeEnR5z1xd8UKud2RAkFoPkmB+hli1TZSnyi84xz1vQ==} - engines: {node: '>=18'} + whatwg-encoding@3.1.1: dependencies: iconv-lite: 0.6.3 - dev: false - /whatwg-mimetype@4.0.0: - resolution: {integrity: sha512-QaKxh0eNIi2mE9p2vEdzfagOKHCcj1pJ56EEHGQOVxp8r9/iszLUUV7v89x9O1p/T+NlTM5W7jW6+cz4Fq1YVg==} - engines: {node: '>=18'} - dev: false + whatwg-mimetype@4.0.0: {} - /whatwg-url@14.0.0: - resolution: {integrity: sha512-1lfMEm2IEr7RIV+f4lUNPOqfFL+pO+Xw3fJSqmjX9AbXcXcYOkCe1P6+9VBZB6n94af16NfZf+sSk0JCBZC9aw==} - engines: {node: '>=18'} + whatwg-url@14.0.0: dependencies: tr46: 5.0.0 webidl-conversions: 7.0.0 - dev: false - /whatwg-url@5.0.0: - resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==} + whatwg-url@5.0.0: dependencies: tr46: 0.0.3 webidl-conversions: 3.0.1 - dev: false - /which-boxed-primitive@1.0.2: - resolution: {integrity: sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==} + which-boxed-primitive@1.0.2: dependencies: is-bigint: 1.0.4 is-boolean-object: 1.1.2 is-number-object: 1.0.7 is-string: 1.0.7 is-symbol: 1.0.4 - dev: false - /which-collection@1.0.2: - resolution: {integrity: sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==} - engines: {node: '>= 0.4'} + which-collection@1.0.2: dependencies: is-map: 2.0.3 is-set: 2.0.3 is-weakmap: 2.0.2 is-weakset: 2.0.3 - dev: false - /which-typed-array@1.1.15: - resolution: {integrity: sha512-oV0jmFtUky6CXfkqehVvBP/LSWJ2sy4vWMioiENyJLePrBO/yKyV9OyJySfAKosh+RYkIl5zJCNZ8/4JncrpdA==} - engines: {node: '>= 0.4'} + which-typed-array@1.1.15: dependencies: available-typed-arrays: 1.0.7 call-bind: 1.0.7 for-each: 0.3.3 gopd: 1.0.1 has-tostringtag: 1.0.2 - dev: false - /which@2.0.2: - resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==} - engines: {node: '>= 8'} - hasBin: true + which@2.0.2: dependencies: isexe: 2.0.0 - /why-is-node-running@2.3.0: - resolution: {integrity: sha512-hUrmaWBdVDcxvYqnyh09zunKzROWjbZTiNy8dBEjkS7ehEDQibXJ7XvlmtbwuTclUiIyN+CyXQD4Vmko8fNm8w==} - engines: {node: '>=8'} - hasBin: true + why-is-node-running@2.3.0: dependencies: siginfo: 2.0.0 stackback: 0.0.2 - dev: false - /wide-align@1.1.5: - resolution: {integrity: sha512-eDMORYaPNZ4sQIuuYPDHdQvf4gyCF9rEEV/yPxGfwPkRodwEgiMUUXTx/dex+Me0wxx53S+NgUHaP7y3MGlDmg==} - requiresBuild: true + wide-align@1.1.5: dependencies: string-width: 4.2.3 - dev: false optional: true - /window-size@1.1.1: - resolution: {integrity: sha512-5D/9vujkmVQ7pSmc0SCBmHXbkv6eaHwXEx65MywhmUMsI8sGqJ972APq1lotfcwMKPFLuCFfL8xGHLIp7jaBmA==} - engines: {node: '>= 0.10.0'} - hasBin: true + window-size@1.1.1: dependencies: define-property: 1.0.0 is-number: 3.0.0 - dev: false - /word-wrap@1.2.5: - resolution: {integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==} - engines: {node: '>=0.10.0'} - dev: true + word-wrap@1.2.5: {} - /workerpool@6.2.1: - resolution: {integrity: sha512-ILEIE97kDZvF9Wb9f6h5aXK4swSlKGUcOEGiIYb2OOu/IrDU9iwj0fD//SsA6E5ibwJxpEvhullJY4Sl4GcpAw==} - dev: false + workerpool@6.2.1: {} - /workerpool@6.5.1: - resolution: {integrity: sha512-Fs4dNYcsdpYSAfVxhnl1L5zTksjvOJxtC5hzMNl+1t9B8hTJTdKDyZ5ju7ztgPy+ft9tBFXoOlDNiOT9WUXZlA==} - dev: false + workerpool@6.5.1: {} - /wrap-ansi@6.2.0: - resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==} - engines: {node: '>=8'} + wrap-ansi@6.2.0: dependencies: ansi-styles: 4.3.0 string-width: 4.2.3 strip-ansi: 6.0.1 - dev: false - /wrap-ansi@7.0.0: - resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==} - engines: {node: '>=10'} + wrap-ansi@7.0.0: dependencies: ansi-styles: 4.3.0 string-width: 4.2.3 strip-ansi: 6.0.1 - /wrap-ansi@8.1.0: - resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==} - engines: {node: '>=12'} + wrap-ansi@8.1.0: dependencies: ansi-styles: 6.2.1 string-width: 5.1.2 strip-ansi: 7.1.0 - dev: false - /wrappy@1.0.2: - resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==} + wrappy@1.0.2: {} - /ws@3.3.3: - resolution: {integrity: sha512-nnWLa/NwZSt4KQJu51MYlCcSQ5g7INpOrOMt4XV8j4dqTXdmlUmSHQ8/oLC069ckre0fRsgfvsKwbTdtKLCDkA==} - peerDependencies: - bufferutil: ^4.0.1 - utf-8-validate: ^5.0.2 - peerDependenciesMeta: - bufferutil: - optional: true - utf-8-validate: - optional: true + ws@3.3.3: dependencies: async-limiter: 1.0.1 safe-buffer: 5.1.2 ultron: 1.1.1 - dev: false - /ws@8.17.1: - resolution: {integrity: sha512-6XQFvXTkbfUOZOKKILFG1PDK2NDQs4azKQl26T0YS5CxqWLgXajbPZ+h4gZekJyRqFU8pvnbAbbs/3TgRPy+GQ==} - engines: {node: '>=10.0.0'} - peerDependencies: - bufferutil: ^4.0.1 - utf-8-validate: '>=5.0.2' - peerDependenciesMeta: - bufferutil: - optional: true - utf-8-validate: - optional: true - dev: false + ws@8.17.1: {} - /ws@8.18.0: - resolution: {integrity: sha512-8VbfWfHLbbwu3+N6OKsOMpBdT4kXPDDB9cJk2bJ6mh9ucxdlnNvH1e+roYkKmN9Nxw2yjz7VzeO9oOz2zJ04Pw==} - engines: {node: '>=10.0.0'} - peerDependencies: - bufferutil: ^4.0.1 - utf-8-validate: '>=5.0.2' - peerDependenciesMeta: - bufferutil: - optional: true - utf-8-validate: - optional: true - dev: false + ws@8.18.0: {} - /xhr-request-promise@0.1.3: - resolution: {integrity: sha512-YUBytBsuwgitWtdRzXDDkWAXzhdGB8bYm0sSzMPZT7Z2MBjMSTHFsyCT1yCRATY+XC69DUrQraRAEgcoCRaIPg==} + xhr-request-promise@0.1.3: dependencies: xhr-request: 1.1.0 - dev: false - /xhr-request@1.1.0: - resolution: {integrity: sha512-Y7qzEaR3FDtL3fP30k9wO/e+FBnBByZeybKOhASsGP30NIkRAAkKD/sCnLvgEfAIEC1rcmK7YG8f4oEnIrrWzA==} + xhr-request@1.1.0: dependencies: buffer-to-arraybuffer: 0.0.5 object-assign: 4.1.1 @@ -13083,93 +14522,50 @@ packages: timed-out: 4.0.1 url-set-query: 1.0.0 xhr: 2.6.0 - dev: false - /xhr@2.6.0: - resolution: {integrity: sha512-/eCGLb5rxjx5e3mF1A7s+pLlR6CGyqWN91fv1JgER5mVWg1MZmlhBvy9kjcsOdRk8RrIujotWyJamfyrp+WIcA==} + xhr@2.6.0: dependencies: global: 4.4.0 is-function: 1.0.2 parse-headers: 2.0.5 xtend: 4.0.2 - dev: false - /xml-name-validator@5.0.0: - resolution: {integrity: sha512-EvGK8EJ3DhaHfbRlETOWAS5pO9MZITeauHKJyb8wyajUfQUenkIg2MvLDTZ4T/TgIcm3HU0TFBgWWboAZ30UHg==} - engines: {node: '>=18'} - dev: false + xml-name-validator@5.0.0: {} - /xmlchars@2.2.0: - resolution: {integrity: sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==} - dev: false + xmlchars@2.2.0: {} - /xtend@4.0.2: - resolution: {integrity: sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==} - engines: {node: '>=0.4'} - dev: false + xtend@4.0.2: {} - /xxhashjs@0.2.2: - resolution: {integrity: sha512-AkTuIuVTET12tpsVIQo+ZU6f/qDmKuRUcjaqR+OIvm+aCBsZ95i7UVY5WJ9TMsSaZ0DA2WxoZ4acu0sPH+OKAw==} + xxhashjs@0.2.2: dependencies: cuint: 0.2.2 - dev: false - /y18n@5.0.8: - resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==} - engines: {node: '>=10'} + y18n@5.0.8: {} - /yaeti@0.0.6: - resolution: {integrity: sha512-MvQa//+KcZCUkBTIC9blM+CU9J2GzuTytsOUwf2lidtvkx/6gnEp1QvJv34t9vdjhFmha/mUiNDbN0D0mJWdug==} - engines: {node: '>=0.10.32'} - dev: false + yaeti@0.0.6: {} - /yallist@3.1.1: - resolution: {integrity: sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==} - dev: false + yallist@3.1.1: {} - /yallist@4.0.0: - resolution: {integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==} - dev: false + yallist@4.0.0: {} - /yaml@2.4.5: - resolution: {integrity: sha512-aBx2bnqDzVOyNKfsysjA2ms5ZlnjSAW2eG3/L5G/CSujfjLJTJsEw1bGw8kCf04KodQWk1pxlGnZ56CRxiawmg==} - engines: {node: '>= 14'} - hasBin: true - dev: false + yaml@2.4.5: {} - /yaml@2.5.1: - resolution: {integrity: sha512-bLQOjaX/ADgQ20isPJRvF0iRUHIxVhYvr53Of7wGcWlO2jvtUlH5m87DsmulFVxRpNLOnI4tB6p/oh8D7kpn9Q==} - engines: {node: '>= 14'} - hasBin: true - dev: false + yaml@2.5.1: {} - /yargs-parser@20.2.4: - resolution: {integrity: sha512-WOkpgNhPTlE73h4VFAFsOnomJVaovO8VqLDzy5saChRBFQFBoMYirowyW+Q9HB4HFF4Z7VZTiG3iSzJJA29yRA==} - engines: {node: '>=10'} - dev: false + yargs-parser@20.2.4: {} - /yargs-parser@20.2.9: - resolution: {integrity: sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==} - engines: {node: '>=10'} - dev: false + yargs-parser@20.2.9: {} - /yargs-parser@21.1.1: - resolution: {integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==} - engines: {node: '>=12'} + yargs-parser@21.1.1: {} - /yargs-unparser@2.0.0: - resolution: {integrity: sha512-7pRTIA9Qc1caZ0bZ6RYRGbHJthJWuakf+WmHK0rVeLkNrrGhfoabBNdue6kdINI6r4if7ocq9aD/n7xwKOdzOA==} - engines: {node: '>=10'} + yargs-unparser@2.0.0: dependencies: camelcase: 6.3.0 decamelize: 4.0.0 flat: 5.0.2 is-plain-obj: 2.1.0 - dev: false - /yargs@16.2.0: - resolution: {integrity: sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw==} - engines: {node: '>=10'} + yargs@16.2.0: dependencies: cliui: 7.0.4 escalade: 3.1.1 @@ -13178,11 +14574,8 @@ packages: string-width: 4.2.3 y18n: 5.0.8 yargs-parser: 20.2.4 - dev: false - /yargs@17.7.2: - resolution: {integrity: sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==} - engines: {node: '>=12'} + yargs@17.7.2: dependencies: cliui: 8.0.1 escalade: 3.1.1 @@ -13192,46 +14585,10 @@ packages: y18n: 5.0.8 yargs-parser: 21.1.1 - /yn@3.1.1: - resolution: {integrity: sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==} - engines: {node: '>=6'} - dev: false - - /yocto-queue@0.1.0: - resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==} - engines: {node: '>=10'} - - /yoctocolors-cjs@2.1.2: - resolution: {integrity: sha512-cYVsTjKl8b+FrnidjibDWskAv7UKOfcwaVZdp/it9n1s9fU3IkgDbhdIRKCW4JDsAlECJY0ytoVPT3sK6kideA==} - engines: {node: '>=18'} - dev: false + yn@3.1.1: {} - /zod@3.23.8: - resolution: {integrity: sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==} - dev: false + yocto-queue@0.1.0: {} - github.com/aurora-is-near/eth-object/378b8dbf44a71f7049666cea5a16ab88d45aed06: - resolution: {tarball: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06} - name: eth-object - version: 1.0.3 - dependencies: - eth-util-lite: github.com/near/eth-util-lite/427b7634a123d171432f3b38c6542913a3897ac7 - ethereumjs-util: 7.1.5 - web3: 1.10.4 - transitivePeerDependencies: - - bufferutil - - encoding - - supports-color - - utf-8-validate - dev: false + yoctocolors-cjs@2.1.2: {} - github.com/near/eth-util-lite/427b7634a123d171432f3b38c6542913a3897ac7: - resolution: {tarball: https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7} - name: eth-util-lite - version: 1.0.1 - dependencies: - bn.js: 4.12.0 - js-sha3: 0.8.0 - rlp: 2.2.7 - safe-buffer: 5.2.1 - dev: false + zod@3.23.8: {} From 9c2a597e71e571050a69a574d367efb971eecb2e Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 26 Sep 2024 13:52:45 +0000 Subject: [PATCH 08/37] prettier --- .../test-precompile-democracy.ts | 6 +- .../test-referenda/test-referenda-submit.ts | 3 +- test/suites/smoke/test-staking-rewards.ts | 82 ++++++++++--------- 3 files changed, 48 insertions(+), 43 deletions(-) diff --git a/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts b/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts index 667fb02a66..0113142460 100644 --- a/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts +++ b/test/suites/dev/moonbase/test-precompile/test-precompile-democracy.ts @@ -46,9 +46,9 @@ describeSuite({ .polkadotJs() .tx.system.remark( "This is a democracy motion for a Revised Grant Program Proposal. " + - "The full details of the proposal can be found at " + - "https://github.com/moonbeam-foundation/grants/blob/" + - "c3cd29629059c61ed8a4c5e9ecd253d5554ff940/revised/revised_grant_program.md" + "The full details of the proposal can be found at " + + "https://github.com/moonbeam-foundation/grants/blob/" + + "c3cd29629059c61ed8a4c5e9ecd253d5554ff940/revised/revised_grant_program.md" ) ); diff --git a/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts b/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts index a7121982b1..a39452d713 100644 --- a/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts +++ b/test/suites/dev/moonbase/test-referenda/test-referenda-submit.ts @@ -77,7 +77,8 @@ describeSuite({ expect(finishedReferendum.isOngoing, "Still ongoing").to.be.false; expect(finishedReferendum.isTimedOut, "Timed out").to.be.false; - const inflationDistributionConfig = await context.pjsApi.query.parachainStaking.inflationDistributionInfo(); + const inflationDistributionConfig = + await context.pjsApi.query.parachainStaking.inflationDistributionInfo(); expect(inflationDistributionConfig[0].account.toString()).toBe(randomAddress); }, }); diff --git a/test/suites/smoke/test-staking-rewards.ts b/test/suites/smoke/test-staking-rewards.ts index cbfd190fe4..efc65b54c3 100644 --- a/test/suites/smoke/test-staking-rewards.ts +++ b/test/suites/smoke/test-staking-rewards.ts @@ -181,22 +181,22 @@ describeSuite({ scheduledRequest === undefined ? delegationAmount : scheduledRequest.action.isDecrease - ? delegationAmount.sub(scheduledRequest.action.asDecrease) - : scheduledRequest.action.isRevoke - ? delegationAmount.sub(scheduledRequest.action.asRevoke) - : delegationAmount; + ? delegationAmount.sub(scheduledRequest.action.asDecrease) + : scheduledRequest.action.isRevoke + ? delegationAmount.sub(scheduledRequest.action.asRevoke) + : delegationAmount; const match = expected.eq(delegatorSnapshot.amount); if (!match) { log( "Snapshot amount " + - delegatorSnapshot.amount.toString() + - " does not match storage amount " + - delegationAmount.toString() + - " for delegator: " + - delegatorSnapshot.owner.toString() + - " on candidate: " + - accountId.toString() + delegatorSnapshot.amount.toString() + + " does not match storage amount " + + delegationAmount.toString() + + " for delegator: " + + delegatorSnapshot.owner.toString() + + " on candidate: " + + accountId.toString() ); } return { @@ -233,10 +233,10 @@ describeSuite({ const estimatedTime = ((delegationCount + atStakeSnapshot.length) / 600).toFixed(2); log( "With a count of " + - delegationCount + - " delegations, this may take upto " + - estimatedTime + - " mins." + delegationCount + + " delegations, this may take upto " + + estimatedTime + + " mins." ); const results = await Promise.all(promises); @@ -283,13 +283,13 @@ describeSuite({ if (!match) { log( "Snapshot autocompound " + - delegatorSnapshot.autoCompound.toString() + - "% does not match storage autocompound " + - autoCompoundAmount.toString() + - "% for delegator: " + - delegatorSnapshot.owner.toString() + - " on candidate: " + - collatorId.toString() + delegatorSnapshot.autoCompound.toString() + + "% does not match storage autocompound " + + autoCompoundAmount.toString() + + "% for delegator: " + + delegatorSnapshot.owner.toString() + + " on candidate: " + + collatorId.toString() ); } return { @@ -438,27 +438,27 @@ describeSuite({ log( ` latest ${latestRound.current.toString()} ` + - `(${latestBlockNumber} / ${latestBlockHash.toHex()}) + `(${latestBlockNumber} / ${latestBlockHash.toHex()}) rewarded round ${payment.rewardRound.data.current.toString()} - ` + - `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} + `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} reward: #${payment.firstRewardBlock.header.number.toString()} / ` + - `[${payment.firstRewardBlock.header.hash.toHex()}] + `[${payment.firstRewardBlock.header.hash.toHex()}] first: #${payment.rewardRound.firstBlock.header.number.toString()} / ` + - `[${payment.rewardRound.firstBlock.header.hash.toHex()}] + `[${payment.rewardRound.firstBlock.header.hash.toHex()}] prior: #${payment.rewardRound.priorBlock.header.number.toString()} / ` + - `[${payment.rewardRound.priorBlock.header.hash.toHex()}] + `[${payment.rewardRound.priorBlock.header.hash.toHex()}] delayed payout computation round ${payment.delayedPayoutRound.data.current.toString()} - ` + - `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} + `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} first: #${payment.delayedPayoutRound.firstBlock.header.number.toString()} / ` + - `[${payment.delayedPayoutRound.firstBlock.header.hash.toHex()}] + `[${payment.delayedPayoutRound.firstBlock.header.hash.toHex()}] prior: #${payment.delayedPayoutRound.priorBlock.header.number.toString()} / ` + - `[${payment.delayedPayoutRound.priorBlock.header.hash.toHex()}] + `[${payment.delayedPayoutRound.priorBlock.header.hash.toHex()}] round to pay ${payment.roundToPay.data.current.toString()} - ` + - `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} + `spec: ${payment.rewardRound.firstBlockSpecVersion.toString()} first: #${payment.roundToPay.firstBlock.header.number.toString()} / ` + - `[${payment.roundToPay.firstBlock.header.hash.toHex()}] + `[${payment.roundToPay.firstBlock.header.hash.toHex()}] prior: #${payment.roundToPay.priorBlock.header.number.toString()} / ` + - `[${payment.roundToPay.priorBlock.header.hash.toHex()}]` + `[${payment.roundToPay.priorBlock.header.hash.toHex()}]` ); // collect info about staked value from collators and delegators @@ -535,7 +535,7 @@ describeSuite({ if (!Object.keys(collatorInfo.delegators).includes(topDelegation)) { throw new Error( `${topDelegation} is missing from collatorInfo ` + - `for round ${payment.roundToPay.data.current.toString()}` + `for round ${payment.roundToPay.data.current.toString()}` ); } } @@ -543,7 +543,7 @@ describeSuite({ if (!topDelegations.has(delegator as any)) { throw new Error( `${delegator} is missing from topDelegations for round` + - ` ${payment.roundToPay.data.current.toString()}` + ` ${payment.roundToPay.data.current.toString()}` ); } } @@ -781,14 +781,16 @@ describeSuite({ ); expect( notRewarded, - `delegators "${[...notRewarded].join(", ")}" were not rewarded for collator "${rewarded.collator + `delegators "${[...notRewarded].join(", ")}" were not rewarded for collator "${ + rewarded.collator }" at block ${blockNumber}` ).to.be.empty; expect( unexpectedlyRewarded, `delegators "${[...unexpectedlyRewarded].join( ", " - )}" were unexpectedly rewarded for collator "${rewarded.collator + )}" were unexpectedly rewarded for collator "${ + rewarded.collator }" at block ${blockNumber}` ).to.be.empty; @@ -813,14 +815,16 @@ describeSuite({ notAutoCompounded, `delegators "${[...notAutoCompounded].join( ", " - )}" were not auto-compounded for collator "${rewarded.collator + )}" were not auto-compounded for collator "${ + rewarded.collator }" at block ${blockNumber}` ).to.be.empty; expect( unexpectedlyAutoCompounded, `delegators "${[...unexpectedlyAutoCompounded].join( ", " - )}" were unexpectedly auto-compounded for collator "${rewarded.collator + )}" were unexpectedly auto-compounded for collator "${ + rewarded.collator }" at block ${blockNumber}` ).to.be.empty; } From 9918ecff676bfa7789f8ac060ec74043575e1c40 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Fri, 27 Sep 2024 11:27:18 +0000 Subject: [PATCH 09/37] fmt --- pallets/parachain-staking/src/benchmarks.rs | 20 ++++++++++++++++---- 1 file changed, 16 insertions(+), 4 deletions(-) diff --git a/pallets/parachain-staking/src/benchmarks.rs b/pallets/parachain-staking/src/benchmarks.rs index 2e9ffa5727..55f82f0b25 100644 --- a/pallets/parachain-staking/src/benchmarks.rs +++ b/pallets/parachain-staking/src/benchmarks.rs @@ -302,10 +302,22 @@ benchmarks! { }, ]) verify { - assert_eq!(Pallet::::inflation_distribution_info()[0].account, account("TEST1", 0u32, USER_SEED)); - assert_eq!(Pallet::::inflation_distribution_info()[0].percent, Percent::from_percent(33)); - assert_eq!(Pallet::::inflation_distribution_info()[1].account, account("TEST2", 1u32, USER_SEED)); - assert_eq!(Pallet::::inflation_distribution_info()[1].percent, Percent::from_percent(22)); + assert_eq!( + Pallet::::inflation_distribution_info()[0].account, + account("TEST1", 0u32, USER_SEED) + ); + assert_eq!( + Pallet::::inflation_distribution_info()[0].percent, + Percent::from_percent(33) + ); + assert_eq!( + Pallet::::inflation_distribution_info()[1].account, + account("TEST2", 1u32, USER_SEED) + ); + assert_eq!( + Pallet::::inflation_distribution_info()[1].percent, + Percent::from_percent(22) + ); } // ROOT DISPATCHABLES From 6374b7f5b4057a92300e10196332ae63692e310d Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Mon, 30 Sep 2024 16:37:20 +0000 Subject: [PATCH 10/37] wrap arr --- pallets/parachain-staking/src/benchmarks.rs | 22 +++++++-------- pallets/parachain-staking/src/lib.rs | 26 +++++++++++------- pallets/parachain-staking/src/mock.rs | 1 + pallets/parachain-staking/src/tests.rs | 8 +++--- pallets/parachain-staking/src/types.rs | 30 ++++++++++++++++++++- 5 files changed, 62 insertions(+), 25 deletions(-) diff --git a/pallets/parachain-staking/src/benchmarks.rs b/pallets/parachain-staking/src/benchmarks.rs index 55f82f0b25..45f9f8ba6f 100644 --- a/pallets/parachain-staking/src/benchmarks.rs +++ b/pallets/parachain-staking/src/benchmarks.rs @@ -20,8 +20,8 @@ use crate::{ AwardedPts, BalanceOf, BottomDelegations, Call, CandidateBondLessRequest, Config, DelegationAction, EnableMarkingOffline, InflationDistributionAccount, - InflationDistributionInfo, Pallet, Points, Range, RewardPayment, Round, ScheduledRequest, - TopDelegations, + InflationDistributionConfig, InflationDistributionInfo, Pallet, Points, Range, RewardPayment, + Round, ScheduledRequest, TopDelegations, }; use frame_benchmarking::{account, benchmarks, impl_benchmark_test_suite}; use frame_support::traits::{Currency, Get, OnFinalize, OnInitialize}; @@ -281,13 +281,13 @@ benchmarks! { let parachain_bond_account: T::AccountId = account("TEST", 0u32, USER_SEED); }: _(RawOrigin::Root, parachain_bond_account.clone()) verify { - assert_eq!(Pallet::::inflation_distribution_info()[0].account, parachain_bond_account); + assert_eq!(Pallet::::inflation_distribution_info().0[0].account, parachain_bond_account); } set_parachain_bond_reserve_percent { }: _(RawOrigin::Root, Percent::from_percent(33)) verify { - assert_eq!(Pallet::::inflation_distribution_info()[0].percent, Percent::from_percent(33)); + assert_eq!(Pallet::::inflation_distribution_info().0[0].percent, Percent::from_percent(33)); } set_inflation_distribution_config { @@ -300,22 +300,22 @@ benchmarks! { account: account("TEST2", 1u32, USER_SEED), percent: Percent::from_percent(22), }, - ]) + ].into()) verify { assert_eq!( - Pallet::::inflation_distribution_info()[0].account, + Pallet::::inflation_distribution_info().0[0].account, account("TEST1", 0u32, USER_SEED) ); assert_eq!( - Pallet::::inflation_distribution_info()[0].percent, + Pallet::::inflation_distribution_info().0[0].percent, Percent::from_percent(33) ); assert_eq!( - Pallet::::inflation_distribution_info()[1].account, + Pallet::::inflation_distribution_info().0[1].account, account("TEST2", 1u32, USER_SEED) ); assert_eq!( - Pallet::::inflation_distribution_info()[1].percent, + Pallet::::inflation_distribution_info().0[1].percent, Percent::from_percent(22) ); } @@ -1595,13 +1595,13 @@ benchmarks! { 0, min_candidate_stk::(), ).0; - >::put([ + >::put::>([ InflationDistributionAccount { account, percent: Percent::from_percent(50), }, Default::default(), - ]); + ].into()); }: { Pallet::::prepare_staking_payouts(round, current_slot); } verify { diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index b8093a11bb..a5d8186501 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -802,7 +802,9 @@ pub mod pallet { .expect("infinite length input; no invalid inputs for type; qed"), percent: Percent::zero(), }; - >::put([pbr, treasury]); + >::put::>( + [pbr, treasury].into(), + ); // Set total selected candidates to value from config assert!( self.num_selected_candidates >= T::MinSelectedCandidates::get(), @@ -892,12 +894,12 @@ pub mod pallet { new: T::AccountId, ) -> DispatchResultWithPostInfo { T::MonetaryGovernanceOrigin::ensure_origin(origin.clone())?; - let old = >::get(); + let old = >::get().0; let new = InflationDistributionAccount { account: new, percent: old[0].percent.clone(), }; - Pallet::::set_inflation_distribution_config(origin, [new, old[1].clone()]) + Pallet::::set_inflation_distribution_config(origin, [new, old[1].clone()].into()) } /// Deprecated: please use `set_inflation_distribution_config` instead. @@ -910,12 +912,12 @@ pub mod pallet { new: Percent, ) -> DispatchResultWithPostInfo { T::MonetaryGovernanceOrigin::ensure_origin(origin.clone())?; - let old = >::get(); + let old = >::get().0; let new = InflationDistributionAccount { account: old[0].account.clone(), percent: new, }; - Pallet::::set_inflation_distribution_config(origin, [new, old[1].clone()]) + Pallet::::set_inflation_distribution_config(origin, [new, old[1].clone()].into()) } /// Set the total number of collator candidates selected per round @@ -1478,15 +1480,21 @@ pub mod pallet { new: InflationDistributionConfig, ) -> DispatchResultWithPostInfo { T::MonetaryGovernanceOrigin::ensure_origin(origin)?; - let old = >::get(); + let old = >::get().0; + let new = new.0; ensure!(old != new, Error::::NoWritingSameValue); let total_percent = new.iter().fold(Percent::zero(), |acc, x| acc + x.percent); ensure!( total_percent <= Percent::from_percent(100), Error::::TotalInflationDistributionPercentExceeds100, ); - >::put(new.clone()); - Self::deposit_event(Event::InflationDistributionConfigUpdated { old, new }); + >::put::>( + new.clone().into(), + ); + Self::deposit_event(Event::InflationDistributionConfigUpdated { + old: old.into(), + new: new.into(), + }); Ok(().into()) } } @@ -1863,7 +1871,7 @@ pub mod pallet { // reserve portion of issuance for parachain bond account let mut left_issuance = total_issuance; - let configs = >::get(); + let configs = >::get().0; for (index, config) in configs.iter().enumerate() { if config.percent.is_zero() { continue; diff --git a/pallets/parachain-staking/src/mock.rs b/pallets/parachain-staking/src/mock.rs index 7e50e2d4d6..703effac14 100644 --- a/pallets/parachain-staking/src/mock.rs +++ b/pallets/parachain-staking/src/mock.rs @@ -339,6 +339,7 @@ pub(crate) fn inflation_configs( percent: Percent::from_percent(treasury_percent), }, ] + .into() } pub(crate) fn events() -> Vec> { diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index 41a9ec53c8..a34e3ec9eb 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -624,7 +624,7 @@ fn set_parachain_bond_account_event_emits_correctly() { fn set_parachain_bond_account_storage_updates_correctly() { ExtBuilder::default().build().execute_with(|| { assert_eq!( - ParachainStaking::inflation_distribution_info()[0].account, + ParachainStaking::inflation_distribution_info().0[0].account, 0 ); assert_ok!(ParachainStaking::set_parachain_bond_account( @@ -632,7 +632,7 @@ fn set_parachain_bond_account_storage_updates_correctly() { 11 )); assert_eq!( - ParachainStaking::inflation_distribution_info()[0].account, + ParachainStaking::inflation_distribution_info().0[0].account, 11 ); }); @@ -658,7 +658,7 @@ fn set_parachain_bond_reserve_percent_event_emits_correctly() { fn set_parachain_bond_reserve_percent_storage_updates_correctly() { ExtBuilder::default().build().execute_with(|| { assert_eq!( - ParachainStaking::inflation_distribution_info()[0].percent, + ParachainStaking::inflation_distribution_info().0[0].percent, Percent::from_percent(30) ); assert_ok!(ParachainStaking::set_parachain_bond_reserve_percent( @@ -666,7 +666,7 @@ fn set_parachain_bond_reserve_percent_storage_updates_correctly() { Percent::from_percent(50) )); assert_eq!( - ParachainStaking::inflation_distribution_info()[0].percent, + ParachainStaking::inflation_distribution_info().0[0].percent, Percent::from_percent(50) ); }); diff --git a/pallets/parachain-staking/src/types.rs b/pallets/parachain-staking/src/types.rs index 342380499d..568847c702 100644 --- a/pallets/parachain-staking/src/types.rs +++ b/pallets/parachain-staking/src/types.rs @@ -1750,7 +1750,35 @@ impl< // Type which encapsulates the configuration for the inflation distribution, the first account being // the parachain bond reserve PBR account and the second account being the treasury account. -pub type InflationDistributionConfig = [InflationDistributionAccount; 2]; +#[derive(Clone, PartialEq, Eq, Encode, Decode, RuntimeDebug, TypeInfo)] +pub struct InflationDistributionConfig( + pub(crate) [InflationDistributionAccount; 2], +); + +impl From<[InflationDistributionAccount; 2]> + for InflationDistributionConfig +{ + fn from(configs: [InflationDistributionAccount; 2]) -> Self { + InflationDistributionConfig(configs) + } +} + +impl Default for InflationDistributionConfig { + fn default() -> InflationDistributionConfig { + InflationDistributionConfig([ + InflationDistributionAccount { + account: AccountId::decode(&mut sp_runtime::traits::TrailingZeroInput::zeroes()) + .expect("infinite length input; no invalid inputs for type; qed"), + percent: Percent::zero(), + }, + InflationDistributionAccount { + account: AccountId::decode(&mut sp_runtime::traits::TrailingZeroInput::zeroes()) + .expect("infinite length input; no invalid inputs for type; qed"), + percent: Percent::zero(), + }, + ]) + } +} #[derive(Clone, PartialEq, Eq, Encode, Decode, RuntimeDebug, TypeInfo)] /// Reserve information { account, percent_of_inflation } From 9328e126ec257a0d2a3211caa102a5fac6e57a4b Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Mon, 30 Sep 2024 16:44:36 +0000 Subject: [PATCH 11/37] fix ts types --- .../moonbase/interfaces/augment-api-events.ts | 11 +- .../moonbase/interfaces/augment-api-query.ts | 1 + .../src/moonbase/interfaces/augment-api-tx.ts | 7 +- .../src/moonbase/interfaces/lookup.ts | 753 +++++++++--------- .../src/moonbase/interfaces/registry.ts | 2 + .../src/moonbase/interfaces/types-lookup.ts | 736 ++++++++--------- .../moonbeam/interfaces/augment-api-events.ts | 11 +- .../moonbeam/interfaces/augment-api-query.ts | 1 + .../src/moonbeam/interfaces/augment-api-tx.ts | 7 +- .../src/moonbeam/interfaces/lookup.ts | 745 ++++++++--------- .../src/moonbeam/interfaces/registry.ts | 2 + .../src/moonbeam/interfaces/types-lookup.ts | 728 ++++++++--------- .../interfaces/augment-api-events.ts | 11 +- .../moonriver/interfaces/augment-api-query.ts | 1 + .../moonriver/interfaces/augment-api-tx.ts | 7 +- .../src/moonriver/interfaces/lookup.ts | 745 ++++++++--------- .../src/moonriver/interfaces/registry.ts | 2 + .../src/moonriver/interfaces/types-lookup.ts | 728 ++++++++--------- 18 files changed, 2270 insertions(+), 2228 deletions(-) diff --git a/typescript-api/src/moonbase/interfaces/augment-api-events.ts b/typescript-api/src/moonbase/interfaces/augment-api-events.ts index 642275e84f..f7770bf0b8 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-events.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-events.ts @@ -12,7 +12,6 @@ import type { Option, Result, U8aFixed, - Vec, bool, u128, u16, @@ -41,7 +40,7 @@ import type { PalletMultisigTimepoint, PalletParachainStakingDelegationRequestsCancelledScheduledRequest, PalletParachainStakingDelegatorAdded, - PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletXcmTransactorHrmpOperation, PalletXcmTransactorRemoteTransactInfoWithMaxWeight, SessionKeysPrimitivesVrfVrfCryptoPublic, @@ -1156,12 +1155,12 @@ declare module "@polkadot/api-base/types/events" { InflationDistributionConfigUpdated: AugmentedEvent< ApiType, [ - old: Vec, - new_: Vec + old: PalletParachainStakingInflationDistributionConfig, + new_: PalletParachainStakingInflationDistributionConfig ], { - old: Vec; - new_: Vec; + old: PalletParachainStakingInflationDistributionConfig; + new_: PalletParachainStakingInflationDistributionConfig; } >; /** Annual inflation input (first 3) was used to derive new per-round inflation (last 3) */ diff --git a/typescript-api/src/moonbase/interfaces/augment-api-query.ts b/typescript-api/src/moonbase/interfaces/augment-api-query.ts index 51dc1fdbbd..f24817d96d 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-query.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-query.ts @@ -86,6 +86,7 @@ import type { PalletParachainStakingDelegations, PalletParachainStakingDelegator, PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletParachainStakingInflationInflationInfo, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, diff --git a/typescript-api/src/moonbase/interfaces/augment-api-tx.ts b/typescript-api/src/moonbase/interfaces/augment-api-tx.ts index 503b1d8fdb..37afc588b9 100644 --- a/typescript-api/src/moonbase/interfaces/augment-api-tx.ts +++ b/typescript-api/src/moonbase/interfaces/augment-api-tx.ts @@ -58,6 +58,7 @@ import type { PalletIdentityJudgement, PalletIdentityLegacyIdentityInfo, PalletMultisigTimepoint, + PalletParachainStakingInflationDistributionConfig, PalletXcmTransactorCurrencyPayment, PalletXcmTransactorHrmpOperation, PalletXcmTransactorTransactWeights, @@ -2560,8 +2561,10 @@ declare module "@polkadot/api-base/types/submittable" { >; /** Set the percent of inflation set aside for parachain bond */ setInflationDistributionConfig: AugmentedSubmittable< - (updated: Vec) => SubmittableExtrinsic, - [Vec] + ( + updated: PalletParachainStakingInflationDistributionConfig + ) => SubmittableExtrinsic, + [PalletParachainStakingInflationDistributionConfig] >; /** * Deprecated: please use `set_inflation_distribution_config` instead. diff --git a/typescript-api/src/moonbase/interfaces/lookup.ts b/typescript-api/src/moonbase/interfaces/lookup.ts index 3048ab7b08..7196b50eff 100644 --- a/typescript-api/src/moonbase/interfaces/lookup.ts +++ b/typescript-api/src/moonbase/interfaces/lookup.ts @@ -532,8 +532,8 @@ export default { _alias: { new_: "new", }, - old: "[Lookup61;2]", - new_: "[Lookup61;2]", + old: "PalletParachainStakingInflationDistributionConfig", + new_: "PalletParachainStakingInflationDistributionConfig", }, InflationSet: { annualMin: "Perbill", @@ -608,14 +608,19 @@ export default { }, }, /** - * Lookup61: + * Lookup60: + * pallet_parachain_staking::types::InflationDistributionConfig[account::AccountId20](account::AccountId20) + */ + PalletParachainStakingInflationDistributionConfig: "[Lookup62;2]", + /** + * Lookup62: * pallet_parachain_staking::types::InflationDistributionAccount[account::AccountId20](account::AccountId20) */ PalletParachainStakingInflationDistributionAccount: { account: "AccountId20", percent: "Percent", }, - /** Lookup63: pallet_scheduler::pallet::Event */ + /** Lookup64: pallet_scheduler::pallet::Event */ PalletSchedulerEvent: { _enum: { Scheduled: { @@ -659,7 +664,7 @@ export default { }, }, }, - /** Lookup65: pallet_treasury::pallet::Event */ + /** Lookup66: pallet_treasury::pallet::Event */ PalletTreasuryEvent: { _enum: { Proposed: { @@ -719,13 +724,13 @@ export default { }, }, }, - /** Lookup66: pallet_author_slot_filter::pallet::Event */ + /** Lookup67: pallet_author_slot_filter::pallet::Event */ PalletAuthorSlotFilterEvent: { _enum: { EligibleUpdated: "u32", }, }, - /** Lookup68: pallet_crowdloan_rewards::pallet::Event */ + /** Lookup69: pallet_crowdloan_rewards::pallet::Event */ PalletCrowdloanRewardsEvent: { _enum: { InitialPaymentMade: "(AccountId20,u128)", @@ -736,7 +741,7 @@ export default { InitializedAccountWithNotEnoughContribution: "([u8;32],Option,u128)", }, }, - /** Lookup69: pallet_author_mapping::pallet::Event */ + /** Lookup70: pallet_author_mapping::pallet::Event */ PalletAuthorMappingEvent: { _enum: { KeysRegistered: { @@ -762,11 +767,11 @@ export default { }, }, }, - /** Lookup70: nimbus_primitives::nimbus_crypto::Public */ + /** Lookup71: nimbus_primitives::nimbus_crypto::Public */ NimbusPrimitivesNimbusCryptoPublic: "[u8;32]", - /** Lookup71: session_keys_primitives::vrf::vrf_crypto::Public */ + /** Lookup72: session_keys_primitives::vrf::vrf_crypto::Public */ SessionKeysPrimitivesVrfVrfCryptoPublic: "[u8;32]", - /** Lookup72: pallet_proxy::pallet::Event */ + /** Lookup73: pallet_proxy::pallet::Event */ PalletProxyEvent: { _enum: { ProxyExecuted: { @@ -797,7 +802,7 @@ export default { }, }, }, - /** Lookup73: moonbase_runtime::ProxyType */ + /** Lookup74: moonbase_runtime::ProxyType */ MoonbaseRuntimeProxyType: { _enum: [ "Any", @@ -810,7 +815,7 @@ export default { "IdentityJudgement", ], }, - /** Lookup75: pallet_maintenance_mode::pallet::Event */ + /** Lookup76: pallet_maintenance_mode::pallet::Event */ PalletMaintenanceModeEvent: { _enum: { EnteredMaintenanceMode: "Null", @@ -823,7 +828,7 @@ export default { }, }, }, - /** Lookup76: pallet_identity::pallet::Event */ + /** Lookup77: pallet_identity::pallet::Event */ PalletIdentityEvent: { _enum: { IdentitySet: { @@ -895,7 +900,7 @@ export default { }, }, }, - /** Lookup78: cumulus_pallet_xcmp_queue::pallet::Event */ + /** Lookup79: cumulus_pallet_xcmp_queue::pallet::Event */ CumulusPalletXcmpQueueEvent: { _enum: { XcmpMessageSent: { @@ -903,7 +908,7 @@ export default { }, }, }, - /** Lookup79: cumulus_pallet_xcm::pallet::Event */ + /** Lookup80: cumulus_pallet_xcm::pallet::Event */ CumulusPalletXcmEvent: { _enum: { InvalidFormat: "[u8;32]", @@ -911,7 +916,7 @@ export default { ExecutedDownward: "([u8;32],StagingXcmV4TraitsOutcome)", }, }, - /** Lookup80: staging_xcm::v4::traits::Outcome */ + /** Lookup81: staging_xcm::v4::traits::Outcome */ StagingXcmV4TraitsOutcome: { _enum: { Complete: { @@ -926,7 +931,7 @@ export default { }, }, }, - /** Lookup81: xcm::v3::traits::Error */ + /** Lookup82: xcm::v3::traits::Error */ XcmV3TraitsError: { _enum: { Overflow: "Null", @@ -971,7 +976,7 @@ export default { ExceedsStackLimit: "Null", }, }, - /** Lookup82: cumulus_pallet_dmp_queue::pallet::Event */ + /** Lookup83: cumulus_pallet_dmp_queue::pallet::Event */ CumulusPalletDmpQueueEvent: { _enum: { StartedExport: "Null", @@ -999,7 +1004,7 @@ export default { }, }, }, - /** Lookup83: pallet_xcm::pallet::Event */ + /** Lookup84: pallet_xcm::pallet::Event */ PalletXcmEvent: { _enum: { Attempted: { @@ -1122,26 +1127,26 @@ export default { }, }, }, - /** Lookup84: staging_xcm::v4::location::Location */ + /** Lookup85: staging_xcm::v4::location::Location */ StagingXcmV4Location: { parents: "u8", interior: "StagingXcmV4Junctions", }, - /** Lookup85: staging_xcm::v4::junctions::Junctions */ + /** Lookup86: staging_xcm::v4::junctions::Junctions */ StagingXcmV4Junctions: { _enum: { Here: "Null", - X1: "[Lookup87;1]", - X2: "[Lookup87;2]", - X3: "[Lookup87;3]", - X4: "[Lookup87;4]", - X5: "[Lookup87;5]", - X6: "[Lookup87;6]", - X7: "[Lookup87;7]", - X8: "[Lookup87;8]", + X1: "[Lookup88;1]", + X2: "[Lookup88;2]", + X3: "[Lookup88;3]", + X4: "[Lookup88;4]", + X5: "[Lookup88;5]", + X6: "[Lookup88;6]", + X7: "[Lookup88;7]", + X8: "[Lookup88;8]", }, }, - /** Lookup87: staging_xcm::v4::junction::Junction */ + /** Lookup88: staging_xcm::v4::junction::Junction */ StagingXcmV4Junction: { _enum: { Parachain: "Compact", @@ -1171,7 +1176,7 @@ export default { GlobalConsensus: "StagingXcmV4JunctionNetworkId", }, }, - /** Lookup90: staging_xcm::v4::junction::NetworkId */ + /** Lookup91: staging_xcm::v4::junction::NetworkId */ StagingXcmV4JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1192,7 +1197,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup92: xcm::v3::junction::BodyId */ + /** Lookup93: xcm::v3::junction::BodyId */ XcmV3JunctionBodyId: { _enum: { Unit: "Null", @@ -1207,7 +1212,7 @@ export default { Treasury: "Null", }, }, - /** Lookup93: xcm::v3::junction::BodyPart */ + /** Lookup94: xcm::v3::junction::BodyPart */ XcmV3JunctionBodyPart: { _enum: { Voice: "Null", @@ -1228,9 +1233,9 @@ export default { }, }, }, - /** Lookup101: staging_xcm::v4::Xcm */ + /** Lookup102: staging_xcm::v4::Xcm */ StagingXcmV4Xcm: "Vec", - /** Lookup103: staging_xcm::v4::Instruction */ + /** Lookup104: staging_xcm::v4::Instruction */ StagingXcmV4Instruction: { _enum: { WithdrawAsset: "StagingXcmV4AssetAssets", @@ -1370,23 +1375,23 @@ export default { }, }, }, - /** Lookup104: staging_xcm::v4::asset::Assets */ + /** Lookup105: staging_xcm::v4::asset::Assets */ StagingXcmV4AssetAssets: "Vec", - /** Lookup106: staging_xcm::v4::asset::Asset */ + /** Lookup107: staging_xcm::v4::asset::Asset */ StagingXcmV4Asset: { id: "StagingXcmV4AssetAssetId", fun: "StagingXcmV4AssetFungibility", }, - /** Lookup107: staging_xcm::v4::asset::AssetId */ + /** Lookup108: staging_xcm::v4::asset::AssetId */ StagingXcmV4AssetAssetId: "StagingXcmV4Location", - /** Lookup108: staging_xcm::v4::asset::Fungibility */ + /** Lookup109: staging_xcm::v4::asset::Fungibility */ StagingXcmV4AssetFungibility: { _enum: { Fungible: "Compact", NonFungible: "StagingXcmV4AssetAssetInstance", }, }, - /** Lookup109: staging_xcm::v4::asset::AssetInstance */ + /** Lookup110: staging_xcm::v4::asset::AssetInstance */ StagingXcmV4AssetAssetInstance: { _enum: { Undefined: "Null", @@ -1397,7 +1402,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup112: staging_xcm::v4::Response */ + /** Lookup113: staging_xcm::v4::Response */ StagingXcmV4Response: { _enum: { Null: "Null", @@ -1408,7 +1413,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup116: staging_xcm::v4::PalletInfo */ + /** Lookup117: staging_xcm::v4::PalletInfo */ StagingXcmV4PalletInfo: { index: "Compact", name: "Bytes", @@ -1417,7 +1422,7 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup119: xcm::v3::MaybeErrorCode */ + /** Lookup120: xcm::v3::MaybeErrorCode */ XcmV3MaybeErrorCode: { _enum: { Success: "Null", @@ -1425,28 +1430,28 @@ export default { TruncatedError: "Bytes", }, }, - /** Lookup122: xcm::v2::OriginKind */ + /** Lookup123: xcm::v2::OriginKind */ XcmV2OriginKind: { _enum: ["Native", "SovereignAccount", "Superuser", "Xcm"], }, - /** Lookup123: xcm::double_encoded::DoubleEncoded */ + /** Lookup124: xcm::double_encoded::DoubleEncoded */ XcmDoubleEncoded: { encoded: "Bytes", }, - /** Lookup124: staging_xcm::v4::QueryResponseInfo */ + /** Lookup125: staging_xcm::v4::QueryResponseInfo */ StagingXcmV4QueryResponseInfo: { destination: "StagingXcmV4Location", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup125: staging_xcm::v4::asset::AssetFilter */ + /** Lookup126: staging_xcm::v4::asset::AssetFilter */ StagingXcmV4AssetAssetFilter: { _enum: { Definite: "StagingXcmV4AssetAssets", Wild: "StagingXcmV4AssetWildAsset", }, }, - /** Lookup126: staging_xcm::v4::asset::WildAsset */ + /** Lookup127: staging_xcm::v4::asset::WildAsset */ StagingXcmV4AssetWildAsset: { _enum: { All: "Null", @@ -1462,18 +1467,18 @@ export default { }, }, }, - /** Lookup127: staging_xcm::v4::asset::WildFungibility */ + /** Lookup128: staging_xcm::v4::asset::WildFungibility */ StagingXcmV4AssetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup128: xcm::v3::WeightLimit */ + /** Lookup129: xcm::v3::WeightLimit */ XcmV3WeightLimit: { _enum: { Unlimited: "Null", Limited: "SpWeightsWeightV2Weight", }, }, - /** Lookup129: xcm::VersionedAssets */ + /** Lookup130: xcm::VersionedAssets */ XcmVersionedAssets: { _enum: { __Unused0: "Null", @@ -1483,26 +1488,26 @@ export default { V4: "StagingXcmV4AssetAssets", }, }, - /** Lookup130: xcm::v2::multiasset::MultiAssets */ + /** Lookup131: xcm::v2::multiasset::MultiAssets */ XcmV2MultiassetMultiAssets: "Vec", - /** Lookup132: xcm::v2::multiasset::MultiAsset */ + /** Lookup133: xcm::v2::multiasset::MultiAsset */ XcmV2MultiAsset: { id: "XcmV2MultiassetAssetId", fun: "XcmV2MultiassetFungibility", }, - /** Lookup133: xcm::v2::multiasset::AssetId */ + /** Lookup134: xcm::v2::multiasset::AssetId */ XcmV2MultiassetAssetId: { _enum: { Concrete: "XcmV2MultiLocation", Abstract: "Bytes", }, }, - /** Lookup134: xcm::v2::multilocation::MultiLocation */ + /** Lookup135: xcm::v2::multilocation::MultiLocation */ XcmV2MultiLocation: { parents: "u8", interior: "XcmV2MultilocationJunctions", }, - /** Lookup135: xcm::v2::multilocation::Junctions */ + /** Lookup136: xcm::v2::multilocation::Junctions */ XcmV2MultilocationJunctions: { _enum: { Here: "Null", @@ -1516,7 +1521,7 @@ export default { X8: "(XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction)", }, }, - /** Lookup136: xcm::v2::junction::Junction */ + /** Lookup137: xcm::v2::junction::Junction */ XcmV2Junction: { _enum: { Parachain: "Compact", @@ -1542,7 +1547,7 @@ export default { }, }, }, - /** Lookup137: xcm::v2::NetworkId */ + /** Lookup138: xcm::v2::NetworkId */ XcmV2NetworkId: { _enum: { Any: "Null", @@ -1551,7 +1556,7 @@ export default { Kusama: "Null", }, }, - /** Lookup139: xcm::v2::BodyId */ + /** Lookup140: xcm::v2::BodyId */ XcmV2BodyId: { _enum: { Unit: "Null", @@ -1566,7 +1571,7 @@ export default { Treasury: "Null", }, }, - /** Lookup140: xcm::v2::BodyPart */ + /** Lookup141: xcm::v2::BodyPart */ XcmV2BodyPart: { _enum: { Voice: "Null", @@ -1587,14 +1592,14 @@ export default { }, }, }, - /** Lookup141: xcm::v2::multiasset::Fungibility */ + /** Lookup142: xcm::v2::multiasset::Fungibility */ XcmV2MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV2MultiassetAssetInstance", }, }, - /** Lookup142: xcm::v2::multiasset::AssetInstance */ + /** Lookup143: xcm::v2::multiasset::AssetInstance */ XcmV2MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -1606,26 +1611,26 @@ export default { Blob: "Bytes", }, }, - /** Lookup143: xcm::v3::multiasset::MultiAssets */ + /** Lookup144: xcm::v3::multiasset::MultiAssets */ XcmV3MultiassetMultiAssets: "Vec", - /** Lookup145: xcm::v3::multiasset::MultiAsset */ + /** Lookup146: xcm::v3::multiasset::MultiAsset */ XcmV3MultiAsset: { id: "XcmV3MultiassetAssetId", fun: "XcmV3MultiassetFungibility", }, - /** Lookup146: xcm::v3::multiasset::AssetId */ + /** Lookup147: xcm::v3::multiasset::AssetId */ XcmV3MultiassetAssetId: { _enum: { Concrete: "StagingXcmV3MultiLocation", Abstract: "[u8;32]", }, }, - /** Lookup147: staging_xcm::v3::multilocation::MultiLocation */ + /** Lookup148: staging_xcm::v3::multilocation::MultiLocation */ StagingXcmV3MultiLocation: { parents: "u8", interior: "XcmV3Junctions", }, - /** Lookup148: xcm::v3::junctions::Junctions */ + /** Lookup149: xcm::v3::junctions::Junctions */ XcmV3Junctions: { _enum: { Here: "Null", @@ -1639,7 +1644,7 @@ export default { X8: "(XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction)", }, }, - /** Lookup149: xcm::v3::junction::Junction */ + /** Lookup150: xcm::v3::junction::Junction */ XcmV3Junction: { _enum: { Parachain: "Compact", @@ -1669,7 +1674,7 @@ export default { GlobalConsensus: "XcmV3JunctionNetworkId", }, }, - /** Lookup151: xcm::v3::junction::NetworkId */ + /** Lookup152: xcm::v3::junction::NetworkId */ XcmV3JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1690,14 +1695,14 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup152: xcm::v3::multiasset::Fungibility */ + /** Lookup153: xcm::v3::multiasset::Fungibility */ XcmV3MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV3MultiassetAssetInstance", }, }, - /** Lookup153: xcm::v3::multiasset::AssetInstance */ + /** Lookup154: xcm::v3::multiasset::AssetInstance */ XcmV3MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -1708,7 +1713,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup154: xcm::VersionedLocation */ + /** Lookup155: xcm::VersionedLocation */ XcmVersionedLocation: { _enum: { __Unused0: "Null", @@ -1718,7 +1723,7 @@ export default { V4: "StagingXcmV4Location", }, }, - /** Lookup155: pallet_assets::pallet::Event */ + /** Lookup156: pallet_assets::pallet::Event */ PalletAssetsEvent: { _enum: { Created: { @@ -1832,7 +1837,7 @@ export default { }, }, }, - /** Lookup156: orml_xtokens::module::Event */ + /** Lookup157: orml_xtokens::module::Event */ OrmlXtokensModuleEvent: { _enum: { TransferredAssets: { @@ -1843,7 +1848,7 @@ export default { }, }, }, - /** Lookup157: pallet_asset_manager::pallet::Event */ + /** Lookup158: pallet_asset_manager::pallet::Event */ PalletAssetManagerEvent: { _enum: { ForeignAssetRegistered: { @@ -1872,20 +1877,20 @@ export default { }, }, }, - /** Lookup158: moonbase_runtime::xcm_config::AssetType */ + /** Lookup159: moonbase_runtime::xcm_config::AssetType */ MoonbaseRuntimeXcmConfigAssetType: { _enum: { Xcm: "StagingXcmV3MultiLocation", }, }, - /** Lookup159: moonbase_runtime::asset_config::AssetRegistrarMetadata */ + /** Lookup160: moonbase_runtime::asset_config::AssetRegistrarMetadata */ MoonbaseRuntimeAssetConfigAssetRegistrarMetadata: { name: "Bytes", symbol: "Bytes", decimals: "u8", isFrozen: "bool", }, - /** Lookup160: pallet_migrations::pallet::Event */ + /** Lookup161: pallet_migrations::pallet::Event */ PalletMigrationsEvent: { _enum: { RuntimeUpgradeStarted: "Null", @@ -1907,7 +1912,7 @@ export default { }, }, }, - /** Lookup161: pallet_xcm_transactor::pallet::Event */ + /** Lookup162: pallet_xcm_transactor::pallet::Event */ PalletXcmTransactorEvent: { _enum: { TransactedDerivative: { @@ -1955,13 +1960,13 @@ export default { }, }, }, - /** Lookup162: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ + /** Lookup163: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ PalletXcmTransactorRemoteTransactInfoWithMaxWeight: { transactExtraWeight: "SpWeightsWeightV2Weight", maxWeight: "SpWeightsWeightV2Weight", transactExtraWeightSigned: "Option", }, - /** Lookup164: pallet_xcm_transactor::pallet::HrmpOperation */ + /** Lookup165: pallet_xcm_transactor::pallet::HrmpOperation */ PalletXcmTransactorHrmpOperation: { _enum: { InitOpen: "PalletXcmTransactorHrmpInitParams", @@ -1975,18 +1980,18 @@ export default { }, }, }, - /** Lookup165: pallet_xcm_transactor::pallet::HrmpInitParams */ + /** Lookup166: pallet_xcm_transactor::pallet::HrmpInitParams */ PalletXcmTransactorHrmpInitParams: { paraId: "u32", proposedMaxCapacity: "u32", proposedMaxMessageSize: "u32", }, - /** Lookup167: polkadot_parachain_primitives::primitives::HrmpChannelId */ + /** Lookup168: polkadot_parachain_primitives::primitives::HrmpChannelId */ PolkadotParachainPrimitivesPrimitivesHrmpChannelId: { sender: "u32", recipient: "u32", }, - /** Lookup168: pallet_moonbeam_orbiters::pallet::Event */ + /** Lookup169: pallet_moonbeam_orbiters::pallet::Event */ PalletMoonbeamOrbitersEvent: { _enum: { OrbiterJoinCollatorPool: { @@ -2015,7 +2020,7 @@ export default { }, }, }, - /** Lookup169: pallet_ethereum_xcm::pallet::Event */ + /** Lookup170: pallet_ethereum_xcm::pallet::Event */ PalletEthereumXcmEvent: { _enum: { ExecutedFromXcm: { @@ -2024,7 +2029,7 @@ export default { }, }, }, - /** Lookup170: pallet_randomness::pallet::Event */ + /** Lookup171: pallet_randomness::pallet::Event */ PalletRandomnessEvent: { _enum: { RandomnessRequestedBabeEpoch: { @@ -2059,7 +2064,7 @@ export default { }, }, }, - /** Lookup171: pallet_collective::pallet::Event */ + /** Lookup172: pallet_collective::pallet::Event */ PalletCollectiveEvent: { _enum: { Proposed: { @@ -2096,14 +2101,14 @@ export default { }, }, }, - /** Lookup172: pallet_conviction_voting::pallet::Event */ + /** Lookup173: pallet_conviction_voting::pallet::Event */ PalletConvictionVotingEvent: { _enum: { Delegated: "(AccountId20,AccountId20)", Undelegated: "AccountId20", }, }, - /** Lookup173: pallet_referenda::pallet::Event */ + /** Lookup174: pallet_referenda::pallet::Event */ PalletReferendaEvent: { _enum: { Submitted: { @@ -2182,7 +2187,7 @@ export default { }, }, /** - * Lookup174: frame_support::traits::preimages::Bounded */ FrameSupportPreimagesBounded: { @@ -2203,7 +2208,7 @@ export default { }, }, }, - /** Lookup176: frame_system::pallet::Call */ + /** Lookup177: frame_system::pallet::Call */ FrameSystemCall: { _enum: { remark: { @@ -2246,7 +2251,7 @@ export default { }, }, }, - /** Lookup180: pallet_utility::pallet::Call */ + /** Lookup181: pallet_utility::pallet::Call */ PalletUtilityCall: { _enum: { batch: { @@ -2272,7 +2277,7 @@ export default { }, }, }, - /** Lookup182: moonbase_runtime::OriginCaller */ + /** Lookup183: moonbase_runtime::OriginCaller */ MoonbaseRuntimeOriginCaller: { _enum: { system: "FrameSupportDispatchRawOrigin", @@ -2324,7 +2329,7 @@ export default { OpenTechCommitteeCollective: "PalletCollectiveRawOrigin", }, }, - /** Lookup183: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ + /** Lookup184: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ FrameSupportDispatchRawOrigin: { _enum: { Root: "Null", @@ -2332,33 +2337,33 @@ export default { None: "Null", }, }, - /** Lookup184: pallet_ethereum::RawOrigin */ + /** Lookup185: pallet_ethereum::RawOrigin */ PalletEthereumRawOrigin: { _enum: { EthereumTransaction: "H160", }, }, - /** Lookup185: cumulus_pallet_xcm::pallet::Origin */ + /** Lookup186: cumulus_pallet_xcm::pallet::Origin */ CumulusPalletXcmOrigin: { _enum: { Relay: "Null", SiblingParachain: "u32", }, }, - /** Lookup186: pallet_xcm::pallet::Origin */ + /** Lookup187: pallet_xcm::pallet::Origin */ PalletXcmOrigin: { _enum: { Xcm: "StagingXcmV4Location", Response: "StagingXcmV4Location", }, }, - /** Lookup187: pallet_ethereum_xcm::RawOrigin */ + /** Lookup188: pallet_ethereum_xcm::RawOrigin */ PalletEthereumXcmRawOrigin: { _enum: { XcmEthereumTransaction: "H160", }, }, - /** Lookup188: pallet_collective::RawOrigin */ + /** Lookup189: pallet_collective::RawOrigin */ PalletCollectiveRawOrigin: { _enum: { Members: "(u32,u32)", @@ -2366,7 +2371,7 @@ export default { _Phantom: "Null", }, }, - /** Lookup189: moonbase_runtime::governance::origins::custom_origins::Origin */ + /** Lookup190: moonbase_runtime::governance::origins::custom_origins::Origin */ MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin: { _enum: [ "WhitelistedCaller", @@ -2376,9 +2381,9 @@ export default { "FastGeneralAdmin", ], }, - /** Lookup191: sp_core::Void */ + /** Lookup192: sp_core::Void */ SpCoreVoid: "Null", - /** Lookup192: pallet_timestamp::pallet::Call */ + /** Lookup193: pallet_timestamp::pallet::Call */ PalletTimestampCall: { _enum: { set: { @@ -2386,7 +2391,7 @@ export default { }, }, }, - /** Lookup193: pallet_balances::pallet::Call */ + /** Lookup194: pallet_balances::pallet::Call */ PalletBalancesCall: { _enum: { transfer_allow_death: { @@ -2425,11 +2430,11 @@ export default { }, }, }, - /** Lookup195: pallet_balances::types::AdjustmentDirection */ + /** Lookup196: pallet_balances::types::AdjustmentDirection */ PalletBalancesAdjustmentDirection: { _enum: ["Increase", "Decrease"], }, - /** Lookup196: pallet_sudo::pallet::Call */ + /** Lookup197: pallet_sudo::pallet::Call */ PalletSudoCall: { _enum: { sudo: { @@ -2452,7 +2457,7 @@ export default { remove_key: "Null", }, }, - /** Lookup197: cumulus_pallet_parachain_system::pallet::Call */ + /** Lookup198: cumulus_pallet_parachain_system::pallet::Call */ CumulusPalletParachainSystemCall: { _enum: { set_validation_data: { @@ -2470,35 +2475,35 @@ export default { }, }, }, - /** Lookup198: cumulus_primitives_parachain_inherent::ParachainInherentData */ + /** Lookup199: cumulus_primitives_parachain_inherent::ParachainInherentData */ CumulusPrimitivesParachainInherentParachainInherentData: { validationData: "PolkadotPrimitivesV7PersistedValidationData", relayChainState: "SpTrieStorageProof", downwardMessages: "Vec", horizontalMessages: "BTreeMap>", }, - /** Lookup199: polkadot_primitives::v7::PersistedValidationData */ + /** Lookup200: polkadot_primitives::v7::PersistedValidationData */ PolkadotPrimitivesV7PersistedValidationData: { parentHead: "Bytes", relayParentNumber: "u32", relayParentStorageRoot: "H256", maxPovSize: "u32", }, - /** Lookup201: sp_trie::storage_proof::StorageProof */ + /** Lookup202: sp_trie::storage_proof::StorageProof */ SpTrieStorageProof: { trieNodes: "BTreeSet", }, - /** Lookup204: polkadot_core_primitives::InboundDownwardMessage */ + /** Lookup205: polkadot_core_primitives::InboundDownwardMessage */ PolkadotCorePrimitivesInboundDownwardMessage: { sentAt: "u32", msg: "Bytes", }, - /** Lookup207: polkadot_core_primitives::InboundHrmpMessage */ + /** Lookup208: polkadot_core_primitives::InboundHrmpMessage */ PolkadotCorePrimitivesInboundHrmpMessage: { sentAt: "u32", data: "Bytes", }, - /** Lookup210: pallet_evm::pallet::Call */ + /** Lookup211: pallet_evm::pallet::Call */ PalletEvmCall: { _enum: { withdraw: { @@ -2539,7 +2544,7 @@ export default { }, }, }, - /** Lookup216: pallet_ethereum::pallet::Call */ + /** Lookup217: pallet_ethereum::pallet::Call */ PalletEthereumCall: { _enum: { transact: { @@ -2547,7 +2552,7 @@ export default { }, }, }, - /** Lookup217: ethereum::transaction::TransactionV2 */ + /** Lookup218: ethereum::transaction::TransactionV2 */ EthereumTransactionTransactionV2: { _enum: { Legacy: "EthereumTransactionLegacyTransaction", @@ -2555,7 +2560,7 @@ export default { EIP1559: "EthereumTransactionEip1559Transaction", }, }, - /** Lookup218: ethereum::transaction::LegacyTransaction */ + /** Lookup219: ethereum::transaction::LegacyTransaction */ EthereumTransactionLegacyTransaction: { nonce: "U256", gasPrice: "U256", @@ -2565,20 +2570,20 @@ export default { input: "Bytes", signature: "EthereumTransactionTransactionSignature", }, - /** Lookup219: ethereum::transaction::TransactionAction */ + /** Lookup220: ethereum::transaction::TransactionAction */ EthereumTransactionTransactionAction: { _enum: { Call: "H160", Create: "Null", }, }, - /** Lookup220: ethereum::transaction::TransactionSignature */ + /** Lookup221: ethereum::transaction::TransactionSignature */ EthereumTransactionTransactionSignature: { v: "u64", r: "H256", s: "H256", }, - /** Lookup222: ethereum::transaction::EIP2930Transaction */ + /** Lookup223: ethereum::transaction::EIP2930Transaction */ EthereumTransactionEip2930Transaction: { chainId: "u64", nonce: "U256", @@ -2592,12 +2597,12 @@ export default { r: "H256", s: "H256", }, - /** Lookup224: ethereum::transaction::AccessListItem */ + /** Lookup225: ethereum::transaction::AccessListItem */ EthereumTransactionAccessListItem: { address: "H160", storageKeys: "Vec", }, - /** Lookup225: ethereum::transaction::EIP1559Transaction */ + /** Lookup226: ethereum::transaction::EIP1559Transaction */ EthereumTransactionEip1559Transaction: { chainId: "u64", nonce: "U256", @@ -2612,7 +2617,7 @@ export default { r: "H256", s: "H256", }, - /** Lookup226: pallet_parachain_staking::pallet::Call */ + /** Lookup227: pallet_parachain_staking::pallet::Call */ PalletParachainStakingCall: { _enum: { set_staking_expectations: { @@ -2744,11 +2749,11 @@ export default { _alias: { new_: "new", }, - new_: "[Lookup61;2]", + new_: "PalletParachainStakingInflationDistributionConfig", }, }, }, - /** Lookup229: pallet_scheduler::pallet::Call */ + /** Lookup230: pallet_scheduler::pallet::Call */ PalletSchedulerCall: { _enum: { schedule: { @@ -2802,7 +2807,7 @@ export default { }, }, }, - /** Lookup231: pallet_treasury::pallet::Call */ + /** Lookup232: pallet_treasury::pallet::Call */ PalletTreasuryCall: { _enum: { propose_spend: { @@ -2839,11 +2844,11 @@ export default { }, }, }, - /** Lookup233: pallet_author_inherent::pallet::Call */ + /** Lookup234: pallet_author_inherent::pallet::Call */ PalletAuthorInherentCall: { _enum: ["kick_off_authorship_validation"], }, - /** Lookup234: pallet_author_slot_filter::pallet::Call */ + /** Lookup235: pallet_author_slot_filter::pallet::Call */ PalletAuthorSlotFilterCall: { _enum: { set_eligible: { @@ -2854,7 +2859,7 @@ export default { }, }, }, - /** Lookup235: pallet_crowdloan_rewards::pallet::Call */ + /** Lookup236: pallet_crowdloan_rewards::pallet::Call */ PalletCrowdloanRewardsCall: { _enum: { associate_native_identity: { @@ -2879,7 +2884,7 @@ export default { }, }, }, - /** Lookup236: sp_runtime::MultiSignature */ + /** Lookup237: sp_runtime::MultiSignature */ SpRuntimeMultiSignature: { _enum: { Ed25519: "[u8;64]", @@ -2887,7 +2892,7 @@ export default { Ecdsa: "[u8;65]", }, }, - /** Lookup243: pallet_author_mapping::pallet::Call */ + /** Lookup244: pallet_author_mapping::pallet::Call */ PalletAuthorMappingCall: { _enum: { add_association: { @@ -2909,7 +2914,7 @@ export default { }, }, }, - /** Lookup244: pallet_proxy::pallet::Call */ + /** Lookup245: pallet_proxy::pallet::Call */ PalletProxyCall: { _enum: { proxy: { @@ -2960,11 +2965,11 @@ export default { }, }, }, - /** Lookup246: pallet_maintenance_mode::pallet::Call */ + /** Lookup247: pallet_maintenance_mode::pallet::Call */ PalletMaintenanceModeCall: { _enum: ["enter_maintenance_mode", "resume_normal_operation"], }, - /** Lookup247: pallet_identity::pallet::Call */ + /** Lookup248: pallet_identity::pallet::Call */ PalletIdentityCall: { _enum: { add_registrar: { @@ -3047,7 +3052,7 @@ export default { }, }, }, - /** Lookup248: pallet_identity::legacy::IdentityInfo */ + /** Lookup249: pallet_identity::legacy::IdentityInfo */ PalletIdentityLegacyIdentityInfo: { additional: "Vec<(Data,Data)>", display: "Data", @@ -3059,7 +3064,7 @@ export default { image: "Data", twitter: "Data", }, - /** Lookup284: pallet_identity::types::Judgement */ + /** Lookup285: pallet_identity::types::Judgement */ PalletIdentityJudgement: { _enum: { Unknown: "Null", @@ -3071,9 +3076,9 @@ export default { Erroneous: "Null", }, }, - /** Lookup286: account::EthereumSignature */ + /** Lookup287: account::EthereumSignature */ AccountEthereumSignature: "[u8;65]", - /** Lookup287: cumulus_pallet_xcmp_queue::pallet::Call */ + /** Lookup288: cumulus_pallet_xcmp_queue::pallet::Call */ CumulusPalletXcmpQueueCall: { _enum: { __Unused0: "Null", @@ -3099,9 +3104,9 @@ export default { }, }, }, - /** Lookup288: cumulus_pallet_dmp_queue::pallet::Call */ + /** Lookup289: cumulus_pallet_dmp_queue::pallet::Call */ CumulusPalletDmpQueueCall: "Null", - /** Lookup289: pallet_xcm::pallet::Call */ + /** Lookup290: pallet_xcm::pallet::Call */ PalletXcmCall: { _enum: { send: { @@ -3176,7 +3181,7 @@ export default { }, }, }, - /** Lookup290: xcm::VersionedXcm */ + /** Lookup291: xcm::VersionedXcm */ XcmVersionedXcm: { _enum: { __Unused0: "Null", @@ -3186,9 +3191,9 @@ export default { V4: "StagingXcmV4Xcm", }, }, - /** Lookup291: xcm::v2::Xcm */ + /** Lookup292: xcm::v2::Xcm */ XcmV2Xcm: "Vec", - /** Lookup293: xcm::v2::Instruction */ + /** Lookup294: xcm::v2::Instruction */ XcmV2Instruction: { _enum: { WithdrawAsset: "XcmV2MultiassetMultiAssets", @@ -3284,7 +3289,7 @@ export default { UnsubscribeVersion: "Null", }, }, - /** Lookup294: xcm::v2::Response */ + /** Lookup295: xcm::v2::Response */ XcmV2Response: { _enum: { Null: "Null", @@ -3293,7 +3298,7 @@ export default { Version: "u32", }, }, - /** Lookup297: xcm::v2::traits::Error */ + /** Lookup298: xcm::v2::traits::Error */ XcmV2TraitsError: { _enum: { Overflow: "Null", @@ -3324,14 +3329,14 @@ export default { WeightNotComputable: "Null", }, }, - /** Lookup298: xcm::v2::multiasset::MultiAssetFilter */ + /** Lookup299: xcm::v2::multiasset::MultiAssetFilter */ XcmV2MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV2MultiassetMultiAssets", Wild: "XcmV2MultiassetWildMultiAsset", }, }, - /** Lookup299: xcm::v2::multiasset::WildMultiAsset */ + /** Lookup300: xcm::v2::multiasset::WildMultiAsset */ XcmV2MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3341,20 +3346,20 @@ export default { }, }, }, - /** Lookup300: xcm::v2::multiasset::WildFungibility */ + /** Lookup301: xcm::v2::multiasset::WildFungibility */ XcmV2MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup301: xcm::v2::WeightLimit */ + /** Lookup302: xcm::v2::WeightLimit */ XcmV2WeightLimit: { _enum: { Unlimited: "Null", Limited: "Compact", }, }, - /** Lookup302: xcm::v3::Xcm */ + /** Lookup303: xcm::v3::Xcm */ XcmV3Xcm: "Vec", - /** Lookup304: xcm::v3::Instruction */ + /** Lookup305: xcm::v3::Instruction */ XcmV3Instruction: { _enum: { WithdrawAsset: "XcmV3MultiassetMultiAssets", @@ -3494,7 +3499,7 @@ export default { }, }, }, - /** Lookup305: xcm::v3::Response */ + /** Lookup306: xcm::v3::Response */ XcmV3Response: { _enum: { Null: "Null", @@ -3505,7 +3510,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup307: xcm::v3::PalletInfo */ + /** Lookup308: xcm::v3::PalletInfo */ XcmV3PalletInfo: { index: "Compact", name: "Bytes", @@ -3514,20 +3519,20 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup311: xcm::v3::QueryResponseInfo */ + /** Lookup312: xcm::v3::QueryResponseInfo */ XcmV3QueryResponseInfo: { destination: "StagingXcmV3MultiLocation", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup312: xcm::v3::multiasset::MultiAssetFilter */ + /** Lookup313: xcm::v3::multiasset::MultiAssetFilter */ XcmV3MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV3MultiassetMultiAssets", Wild: "XcmV3MultiassetWildMultiAsset", }, }, - /** Lookup313: xcm::v3::multiasset::WildMultiAsset */ + /** Lookup314: xcm::v3::multiasset::WildMultiAsset */ XcmV3MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3543,11 +3548,11 @@ export default { }, }, }, - /** Lookup314: xcm::v3::multiasset::WildFungibility */ + /** Lookup315: xcm::v3::multiasset::WildFungibility */ XcmV3MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup326: staging_xcm_executor::traits::asset_transfer::TransferType */ + /** Lookup327: staging_xcm_executor::traits::asset_transfer::TransferType */ StagingXcmExecutorAssetTransferTransferType: { _enum: { Teleport: "Null", @@ -3556,7 +3561,7 @@ export default { RemoteReserve: "XcmVersionedLocation", }, }, - /** Lookup327: xcm::VersionedAssetId */ + /** Lookup328: xcm::VersionedAssetId */ XcmVersionedAssetId: { _enum: { __Unused0: "Null", @@ -3566,7 +3571,7 @@ export default { V4: "StagingXcmV4AssetAssetId", }, }, - /** Lookup328: pallet_assets::pallet::Call */ + /** Lookup329: pallet_assets::pallet::Call */ PalletAssetsCall: { _enum: { create: { @@ -3716,7 +3721,7 @@ export default { }, }, }, - /** Lookup329: orml_xtokens::module::Call */ + /** Lookup330: orml_xtokens::module::Call */ OrmlXtokensModuleCall: { _enum: { transfer: { @@ -3757,7 +3762,7 @@ export default { }, }, }, - /** Lookup330: moonbase_runtime::xcm_config::CurrencyId */ + /** Lookup331: moonbase_runtime::xcm_config::CurrencyId */ MoonbaseRuntimeXcmConfigCurrencyId: { _enum: { SelfReserve: "Null", @@ -3767,7 +3772,7 @@ export default { }, }, }, - /** Lookup331: xcm::VersionedAsset */ + /** Lookup332: xcm::VersionedAsset */ XcmVersionedAsset: { _enum: { __Unused0: "Null", @@ -3777,7 +3782,7 @@ export default { V4: "StagingXcmV4Asset", }, }, - /** Lookup334: pallet_asset_manager::pallet::Call */ + /** Lookup335: pallet_asset_manager::pallet::Call */ PalletAssetManagerCall: { _enum: { register_foreign_asset: { @@ -3804,7 +3809,7 @@ export default { }, }, }, - /** Lookup335: pallet_xcm_transactor::pallet::Call */ + /** Lookup336: pallet_xcm_transactor::pallet::Call */ PalletXcmTransactorCall: { _enum: { register: { @@ -3861,28 +3866,28 @@ export default { }, }, }, - /** Lookup336: moonbase_runtime::xcm_config::Transactors */ + /** Lookup337: moonbase_runtime::xcm_config::Transactors */ MoonbaseRuntimeXcmConfigTransactors: { _enum: ["Relay"], }, - /** Lookup337: pallet_xcm_transactor::pallet::CurrencyPayment */ + /** Lookup338: pallet_xcm_transactor::pallet::CurrencyPayment */ PalletXcmTransactorCurrencyPayment: { currency: "PalletXcmTransactorCurrency", feeAmount: "Option", }, - /** Lookup338: pallet_xcm_transactor::pallet::Currency */ + /** Lookup339: pallet_xcm_transactor::pallet::Currency */ PalletXcmTransactorCurrency: { _enum: { AsCurrencyId: "MoonbaseRuntimeXcmConfigCurrencyId", AsMultiLocation: "XcmVersionedLocation", }, }, - /** Lookup340: pallet_xcm_transactor::pallet::TransactWeights */ + /** Lookup341: pallet_xcm_transactor::pallet::TransactWeights */ PalletXcmTransactorTransactWeights: { transactRequiredWeightAtMost: "SpWeightsWeightV2Weight", overallWeight: "Option", }, - /** Lookup342: pallet_moonbeam_orbiters::pallet::Call */ + /** Lookup343: pallet_moonbeam_orbiters::pallet::Call */ PalletMoonbeamOrbitersCall: { _enum: { collator_add_orbiter: { @@ -3906,7 +3911,7 @@ export default { }, }, }, - /** Lookup343: pallet_ethereum_xcm::pallet::Call */ + /** Lookup344: pallet_ethereum_xcm::pallet::Call */ PalletEthereumXcmCall: { _enum: { transact: { @@ -3925,14 +3930,14 @@ export default { }, }, }, - /** Lookup344: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ + /** Lookup345: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ XcmPrimitivesEthereumXcmEthereumXcmTransaction: { _enum: { V1: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV1", V2: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV2", }, }, - /** Lookup345: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ + /** Lookup346: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV1: { gasLimit: "U256", feePayment: "XcmPrimitivesEthereumXcmEthereumXcmFee", @@ -3941,19 +3946,19 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup346: xcm_primitives::ethereum_xcm::EthereumXcmFee */ + /** Lookup347: xcm_primitives::ethereum_xcm::EthereumXcmFee */ XcmPrimitivesEthereumXcmEthereumXcmFee: { _enum: { Manual: "XcmPrimitivesEthereumXcmManualEthereumXcmFee", Auto: "Null", }, }, - /** Lookup347: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ + /** Lookup348: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ XcmPrimitivesEthereumXcmManualEthereumXcmFee: { gasPrice: "Option", maxFeePerGas: "Option", }, - /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ + /** Lookup351: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV2: { gasLimit: "U256", action: "EthereumTransactionTransactionAction", @@ -3961,11 +3966,11 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup352: pallet_randomness::pallet::Call */ + /** Lookup353: pallet_randomness::pallet::Call */ PalletRandomnessCall: { _enum: ["set_babe_randomness_results"], }, - /** Lookup353: pallet_collective::pallet::Call */ + /** Lookup354: pallet_collective::pallet::Call */ PalletCollectiveCall: { _enum: { set_members: { @@ -3999,7 +4004,7 @@ export default { }, }, }, - /** Lookup354: pallet_conviction_voting::pallet::Call */ + /** Lookup355: pallet_conviction_voting::pallet::Call */ PalletConvictionVotingCall: { _enum: { vote: { @@ -4030,7 +4035,7 @@ export default { }, }, }, - /** Lookup355: pallet_conviction_voting::vote::AccountVote */ + /** Lookup356: pallet_conviction_voting::vote::AccountVote */ PalletConvictionVotingVoteAccountVote: { _enum: { Standard: { @@ -4048,11 +4053,11 @@ export default { }, }, }, - /** Lookup357: pallet_conviction_voting::conviction::Conviction */ + /** Lookup358: pallet_conviction_voting::conviction::Conviction */ PalletConvictionVotingConviction: { _enum: ["None", "Locked1x", "Locked2x", "Locked3x", "Locked4x", "Locked5x", "Locked6x"], }, - /** Lookup359: pallet_referenda::pallet::Call */ + /** Lookup360: pallet_referenda::pallet::Call */ PalletReferendaCall: { _enum: { submit: { @@ -4087,14 +4092,14 @@ export default { }, }, }, - /** Lookup360: frame_support::traits::schedule::DispatchTime */ + /** Lookup361: frame_support::traits::schedule::DispatchTime */ FrameSupportScheduleDispatchTime: { _enum: { At: "u32", After: "u32", }, }, - /** Lookup362: pallet_preimage::pallet::Call */ + /** Lookup363: pallet_preimage::pallet::Call */ PalletPreimageCall: { _enum: { note_preimage: { @@ -4123,7 +4128,7 @@ export default { }, }, }, - /** Lookup363: pallet_whitelist::pallet::Call */ + /** Lookup364: pallet_whitelist::pallet::Call */ PalletWhitelistCall: { _enum: { whitelist_call: { @@ -4142,7 +4147,7 @@ export default { }, }, }, - /** Lookup365: pallet_root_testing::pallet::Call */ + /** Lookup366: pallet_root_testing::pallet::Call */ PalletRootTestingCall: { _enum: { fill_block: { @@ -4151,7 +4156,7 @@ export default { trigger_defensive: "Null", }, }, - /** Lookup366: pallet_multisig::pallet::Call */ + /** Lookup367: pallet_multisig::pallet::Call */ PalletMultisigCall: { _enum: { as_multi_threshold_1: { @@ -4180,12 +4185,12 @@ export default { }, }, }, - /** Lookup368: pallet_multisig::Timepoint */ + /** Lookup369: pallet_multisig::Timepoint */ PalletMultisigTimepoint: { height: "u32", index: "u32", }, - /** Lookup369: pallet_moonbeam_lazy_migrations::pallet::Call */ + /** Lookup370: pallet_moonbeam_lazy_migrations::pallet::Call */ PalletMoonbeamLazyMigrationsCall: { _enum: { __Unused0: "Null", @@ -4198,7 +4203,7 @@ export default { }, }, }, - /** Lookup372: pallet_message_queue::pallet::Call */ + /** Lookup373: pallet_message_queue::pallet::Call */ PalletMessageQueueCall: { _enum: { reap_page: { @@ -4213,7 +4218,7 @@ export default { }, }, }, - /** Lookup373: cumulus_primitives_core::AggregateMessageOrigin */ + /** Lookup374: cumulus_primitives_core::AggregateMessageOrigin */ CumulusPrimitivesCoreAggregateMessageOrigin: { _enum: { Here: "Null", @@ -4221,7 +4226,7 @@ export default { Sibling: "u32", }, }, - /** Lookup374: pallet_emergency_para_xcm::pallet::Call */ + /** Lookup375: pallet_emergency_para_xcm::pallet::Call */ PalletEmergencyParaXcmCall: { _enum: { paused_to_normal: "Null", @@ -4230,7 +4235,7 @@ export default { }, }, }, - /** Lookup375: pallet_moonbeam_foreign_assets::pallet::Call */ + /** Lookup376: pallet_moonbeam_foreign_assets::pallet::Call */ PalletMoonbeamForeignAssetsCall: { _enum: { create_foreign_asset: { @@ -4253,7 +4258,7 @@ export default { }, }, }, - /** Lookup377: pallet_parameters::pallet::Call */ + /** Lookup378: pallet_parameters::pallet::Call */ PalletParametersCall: { _enum: { set_parameter: { @@ -4261,22 +4266,22 @@ export default { }, }, }, - /** Lookup378: moonbase_runtime::runtime_params::RuntimeParameters */ + /** Lookup379: moonbase_runtime::runtime_params::RuntimeParameters */ MoonbaseRuntimeRuntimeParamsRuntimeParameters: { _enum: { RuntimeConfig: "MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters", }, }, - /** Lookup379: moonbase_runtime::runtime_params::dynamic_params::runtime_config::Parameters */ + /** Lookup380: moonbase_runtime::runtime_params::dynamic_params::runtime_config::Parameters */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters: { _enum: { FeesTreasuryProportion: "(MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion,Option)", }, }, - /** Lookup380: moonbase_runtime::runtime_params::dynamic_params::runtime_config::FeesTreasuryProportion */ + /** Lookup381: moonbase_runtime::runtime_params::dynamic_params::runtime_config::FeesTreasuryProportion */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion: "Null", - /** Lookup382: pallet_xcm_weight_trader::pallet::Call */ + /** Lookup383: pallet_xcm_weight_trader::pallet::Call */ PalletXcmWeightTraderCall: { _enum: { add_asset: { @@ -4298,15 +4303,15 @@ export default { }, }, }, - /** Lookup383: sp_runtime::traits::BlakeTwo256 */ + /** Lookup384: sp_runtime::traits::BlakeTwo256 */ SpRuntimeBlakeTwo256: "Null", - /** Lookup385: pallet_conviction_voting::types::Tally */ + /** Lookup386: pallet_conviction_voting::types::Tally */ PalletConvictionVotingTally: { ayes: "u128", nays: "u128", support: "u128", }, - /** Lookup386: pallet_preimage::pallet::Event */ + /** Lookup387: pallet_preimage::pallet::Event */ PalletPreimageEvent: { _enum: { Noted: { @@ -4329,7 +4334,7 @@ export default { }, }, }, - /** Lookup387: pallet_whitelist::pallet::Event */ + /** Lookup388: pallet_whitelist::pallet::Event */ PalletWhitelistEvent: { _enum: { CallWhitelisted: { @@ -4344,21 +4349,21 @@ export default { }, }, }, - /** Lookup389: frame_support::dispatch::PostDispatchInfo */ + /** Lookup390: frame_support::dispatch::PostDispatchInfo */ FrameSupportDispatchPostDispatchInfo: { actualWeight: "Option", paysFee: "FrameSupportDispatchPays", }, - /** Lookup390: sp_runtime::DispatchErrorWithPostInfo */ + /** Lookup391: sp_runtime::DispatchErrorWithPostInfo */ SpRuntimeDispatchErrorWithPostInfo: { postInfo: "FrameSupportDispatchPostDispatchInfo", error: "SpRuntimeDispatchError", }, - /** Lookup392: pallet_root_testing::pallet::Event */ + /** Lookup393: pallet_root_testing::pallet::Event */ PalletRootTestingEvent: { _enum: ["DefensiveTestCall"], }, - /** Lookup393: pallet_multisig::pallet::Event */ + /** Lookup394: pallet_multisig::pallet::Event */ PalletMultisigEvent: { _enum: { NewMultisig: { @@ -4387,7 +4392,7 @@ export default { }, }, }, - /** Lookup394: pallet_message_queue::pallet::Event */ + /** Lookup395: pallet_message_queue::pallet::Event */ PalletMessageQueueEvent: { _enum: { ProcessingFailed: { @@ -4413,7 +4418,7 @@ export default { }, }, }, - /** Lookup395: frame_support::traits::messages::ProcessMessageError */ + /** Lookup396: frame_support::traits::messages::ProcessMessageError */ FrameSupportMessagesProcessMessageError: { _enum: { BadFormat: "Null", @@ -4423,11 +4428,11 @@ export default { Yield: "Null", }, }, - /** Lookup396: pallet_emergency_para_xcm::pallet::Event */ + /** Lookup397: pallet_emergency_para_xcm::pallet::Event */ PalletEmergencyParaXcmEvent: { _enum: ["EnteredPausedXcmMode", "NormalXcmOperationResumed"], }, - /** Lookup397: pallet_moonbeam_foreign_assets::pallet::Event */ + /** Lookup398: pallet_moonbeam_foreign_assets::pallet::Event */ PalletMoonbeamForeignAssetsEvent: { _enum: { ForeignAssetCreated: { @@ -4449,7 +4454,7 @@ export default { }, }, }, - /** Lookup398: pallet_parameters::pallet::Event */ + /** Lookup399: pallet_parameters::pallet::Event */ PalletParametersEvent: { _enum: { Updated: { @@ -4459,29 +4464,29 @@ export default { }, }, }, - /** Lookup399: moonbase_runtime::runtime_params::RuntimeParametersKey */ + /** Lookup400: moonbase_runtime::runtime_params::RuntimeParametersKey */ MoonbaseRuntimeRuntimeParamsRuntimeParametersKey: { _enum: { RuntimeConfig: "MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey", }, }, - /** Lookup400: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersKey */ + /** Lookup401: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersKey */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey: { _enum: ["FeesTreasuryProportion"], }, - /** Lookup402: moonbase_runtime::runtime_params::RuntimeParametersValue */ + /** Lookup403: moonbase_runtime::runtime_params::RuntimeParametersValue */ MoonbaseRuntimeRuntimeParamsRuntimeParametersValue: { _enum: { RuntimeConfig: "MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue", }, }, - /** Lookup403: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersValue */ + /** Lookup404: moonbase_runtime::runtime_params::dynamic_params::runtime_config::ParametersValue */ MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue: { _enum: { FeesTreasuryProportion: "Perbill", }, }, - /** Lookup404: pallet_xcm_weight_trader::pallet::Event */ + /** Lookup405: pallet_xcm_weight_trader::pallet::Event */ PalletXcmWeightTraderEvent: { _enum: { SupportedAssetAdded: { @@ -4503,7 +4508,7 @@ export default { }, }, }, - /** Lookup405: frame_system::Phase */ + /** Lookup406: frame_system::Phase */ FrameSystemPhase: { _enum: { ApplyExtrinsic: "u32", @@ -4511,51 +4516,51 @@ export default { Initialization: "Null", }, }, - /** Lookup407: frame_system::LastRuntimeUpgradeInfo */ + /** Lookup408: frame_system::LastRuntimeUpgradeInfo */ FrameSystemLastRuntimeUpgradeInfo: { specVersion: "Compact", specName: "Text", }, - /** Lookup408: frame_system::CodeUpgradeAuthorization */ + /** Lookup409: frame_system::CodeUpgradeAuthorization */ FrameSystemCodeUpgradeAuthorization: { codeHash: "H256", checkVersion: "bool", }, - /** Lookup409: frame_system::limits::BlockWeights */ + /** Lookup410: frame_system::limits::BlockWeights */ FrameSystemLimitsBlockWeights: { baseBlock: "SpWeightsWeightV2Weight", maxBlock: "SpWeightsWeightV2Weight", perClass: "FrameSupportDispatchPerDispatchClassWeightsPerClass", }, - /** Lookup410: frame_support::dispatch::PerDispatchClass */ + /** Lookup411: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassWeightsPerClass: { normal: "FrameSystemLimitsWeightsPerClass", operational: "FrameSystemLimitsWeightsPerClass", mandatory: "FrameSystemLimitsWeightsPerClass", }, - /** Lookup411: frame_system::limits::WeightsPerClass */ + /** Lookup412: frame_system::limits::WeightsPerClass */ FrameSystemLimitsWeightsPerClass: { baseExtrinsic: "SpWeightsWeightV2Weight", maxExtrinsic: "Option", maxTotal: "Option", reserved: "Option", }, - /** Lookup412: frame_system::limits::BlockLength */ + /** Lookup413: frame_system::limits::BlockLength */ FrameSystemLimitsBlockLength: { max: "FrameSupportDispatchPerDispatchClassU32", }, - /** Lookup413: frame_support::dispatch::PerDispatchClass */ + /** Lookup414: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassU32: { normal: "u32", operational: "u32", mandatory: "u32", }, - /** Lookup414: sp_weights::RuntimeDbWeight */ + /** Lookup415: sp_weights::RuntimeDbWeight */ SpWeightsRuntimeDbWeight: { read: "u64", write: "u64", }, - /** Lookup415: sp_version::RuntimeVersion */ + /** Lookup416: sp_version::RuntimeVersion */ SpVersionRuntimeVersion: { specName: "Text", implName: "Text", @@ -4566,7 +4571,7 @@ export default { transactionVersion: "u32", stateVersion: "u8", }, - /** Lookup419: frame_system::pallet::Error */ + /** Lookup420: frame_system::pallet::Error */ FrameSystemError: { _enum: [ "InvalidSpecName", @@ -4580,26 +4585,26 @@ export default { "Unauthorized", ], }, - /** Lookup420: pallet_utility::pallet::Error */ + /** Lookup421: pallet_utility::pallet::Error */ PalletUtilityError: { _enum: ["TooManyCalls"], }, - /** Lookup422: pallet_balances::types::BalanceLock */ + /** Lookup423: pallet_balances::types::BalanceLock */ PalletBalancesBalanceLock: { id: "[u8;8]", amount: "u128", reasons: "PalletBalancesReasons", }, - /** Lookup423: pallet_balances::types::Reasons */ + /** Lookup424: pallet_balances::types::Reasons */ PalletBalancesReasons: { _enum: ["Fee", "Misc", "All"], }, - /** Lookup426: pallet_balances::types::ReserveData */ + /** Lookup427: pallet_balances::types::ReserveData */ PalletBalancesReserveData: { id: "[u8;4]", amount: "u128", }, - /** Lookup430: moonbase_runtime::RuntimeHoldReason */ + /** Lookup431: moonbase_runtime::RuntimeHoldReason */ MoonbaseRuntimeRuntimeHoldReason: { _enum: { __Unused0: "Null", @@ -4649,16 +4654,16 @@ export default { Preimage: "PalletPreimageHoldReason", }, }, - /** Lookup431: pallet_preimage::pallet::HoldReason */ + /** Lookup432: pallet_preimage::pallet::HoldReason */ PalletPreimageHoldReason: { _enum: ["Preimage"], }, - /** Lookup434: pallet_balances::types::IdAmount */ + /** Lookup435: pallet_balances::types::IdAmount */ PalletBalancesIdAmount: { id: "Null", amount: "u128", }, - /** Lookup436: pallet_balances::pallet::Error */ + /** Lookup437: pallet_balances::pallet::Error */ PalletBalancesError: { _enum: [ "VestingBalance", @@ -4675,42 +4680,42 @@ export default { "DeltaZero", ], }, - /** Lookup437: pallet_sudo::pallet::Error */ + /** Lookup438: pallet_sudo::pallet::Error */ PalletSudoError: { _enum: ["RequireSudo"], }, - /** Lookup439: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ + /** Lookup440: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ CumulusPalletParachainSystemUnincludedSegmentAncestor: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", paraHeadHash: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup440: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ + /** Lookup441: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth: { umpMsgCount: "u32", umpTotalBytes: "u32", hrmpOutgoing: "BTreeMap", }, - /** Lookup442: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ + /** Lookup443: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate: { msgCount: "u32", totalBytes: "u32", }, - /** Lookup446: polkadot_primitives::v7::UpgradeGoAhead */ + /** Lookup447: polkadot_primitives::v7::UpgradeGoAhead */ PolkadotPrimitivesV7UpgradeGoAhead: { _enum: ["Abort", "GoAhead"], }, - /** Lookup447: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ + /** Lookup448: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ CumulusPalletParachainSystemUnincludedSegmentSegmentTracker: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", hrmpWatermark: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup449: polkadot_primitives::v7::UpgradeRestriction */ + /** Lookup450: polkadot_primitives::v7::UpgradeRestriction */ PolkadotPrimitivesV7UpgradeRestriction: { _enum: ["Present"], }, - /** Lookup450: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ + /** Lookup451: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot: { dmqMqcHead: "H256", relayDispatchQueueRemainingCapacity: @@ -4718,12 +4723,12 @@ export default { ingressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", egressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", }, - /** Lookup451: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ + /** Lookup452: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity: { remainingCount: "u32", remainingSize: "u32", }, - /** Lookup454: polkadot_primitives::v7::AbridgedHrmpChannel */ + /** Lookup455: polkadot_primitives::v7::AbridgedHrmpChannel */ PolkadotPrimitivesV7AbridgedHrmpChannel: { maxCapacity: "u32", maxTotalSize: "u32", @@ -4732,7 +4737,7 @@ export default { totalSize: "u32", mqcHead: "Option", }, - /** Lookup455: polkadot_primitives::v7::AbridgedHostConfiguration */ + /** Lookup456: polkadot_primitives::v7::AbridgedHostConfiguration */ PolkadotPrimitivesV7AbridgedHostConfiguration: { maxCodeSize: "u32", maxHeadDataSize: "u32", @@ -4745,17 +4750,17 @@ export default { validationUpgradeDelay: "u32", asyncBackingParams: "PolkadotPrimitivesV7AsyncBackingAsyncBackingParams", }, - /** Lookup456: polkadot_primitives::v7::async_backing::AsyncBackingParams */ + /** Lookup457: polkadot_primitives::v7::async_backing::AsyncBackingParams */ PolkadotPrimitivesV7AsyncBackingAsyncBackingParams: { maxCandidateDepth: "u32", allowedAncestryLen: "u32", }, - /** Lookup462: polkadot_core_primitives::OutboundHrmpMessage */ + /** Lookup463: polkadot_core_primitives::OutboundHrmpMessage */ PolkadotCorePrimitivesOutboundHrmpMessage: { recipient: "u32", data: "Bytes", }, - /** Lookup464: cumulus_pallet_parachain_system::pallet::Error */ + /** Lookup465: cumulus_pallet_parachain_system::pallet::Error */ CumulusPalletParachainSystemError: { _enum: [ "OverlappingUpgrades", @@ -4768,11 +4773,11 @@ export default { "Unauthorized", ], }, - /** Lookup465: pallet_transaction_payment::Releases */ + /** Lookup466: pallet_transaction_payment::Releases */ PalletTransactionPaymentReleases: { _enum: ["V1Ancient", "V2"], }, - /** Lookup466: pallet_evm::CodeMetadata */ + /** Lookup467: pallet_evm::CodeMetadata */ PalletEvmCodeMetadata: { _alias: { size_: "size", @@ -4781,7 +4786,7 @@ export default { size_: "u64", hash_: "H256", }, - /** Lookup468: pallet_evm::pallet::Error */ + /** Lookup469: pallet_evm::pallet::Error */ PalletEvmError: { _enum: [ "BalanceLow", @@ -4799,7 +4804,7 @@ export default { "Undefined", ], }, - /** Lookup471: fp_rpc::TransactionStatus */ + /** Lookup472: fp_rpc::TransactionStatus */ FpRpcTransactionStatus: { transactionHash: "H256", transactionIndex: "u32", @@ -4809,9 +4814,9 @@ export default { logs: "Vec", logsBloom: "EthbloomBloom", }, - /** Lookup473: ethbloom::Bloom */ + /** Lookup474: ethbloom::Bloom */ EthbloomBloom: "[u8;256]", - /** Lookup475: ethereum::receipt::ReceiptV3 */ + /** Lookup476: ethereum::receipt::ReceiptV3 */ EthereumReceiptReceiptV3: { _enum: { Legacy: "EthereumReceiptEip658ReceiptData", @@ -4819,7 +4824,7 @@ export default { EIP1559: "EthereumReceiptEip658ReceiptData", }, }, - /** Lookup476: ethereum::receipt::EIP658ReceiptData */ + /** Lookup477: ethereum::receipt::EIP658ReceiptData */ EthereumReceiptEip658ReceiptData: { statusCode: "u8", usedGas: "U256", @@ -4827,7 +4832,7 @@ export default { logs: "Vec", }, /** - * Lookup477: + * Lookup478: * ethereum::block::Block[ethereum::transaction::TransactionV2](ethereum::transaction::TransactionV2) */ EthereumBlock: { @@ -4835,7 +4840,7 @@ export default { transactions: "Vec", ommers: "Vec", }, - /** Lookup478: ethereum::header::Header */ + /** Lookup479: ethereum::header::Header */ EthereumHeader: { parentHash: "H256", ommersHash: "H256", @@ -4853,20 +4858,20 @@ export default { mixHash: "H256", nonce: "EthereumTypesHashH64", }, - /** Lookup479: ethereum_types::hash::H64 */ + /** Lookup480: ethereum_types::hash::H64 */ EthereumTypesHashH64: "[u8;8]", - /** Lookup484: pallet_ethereum::pallet::Error */ + /** Lookup485: pallet_ethereum::pallet::Error */ PalletEthereumError: { _enum: ["InvalidSignature", "PreLogExists"], }, - /** Lookup485: pallet_parachain_staking::types::RoundInfo */ + /** Lookup486: pallet_parachain_staking::types::RoundInfo */ PalletParachainStakingRoundInfo: { current: "u32", first: "u32", length: "u32", firstSlot: "u64", }, - /** Lookup486: pallet_parachain_staking::types::Delegator */ + /** Lookup487: pallet_parachain_staking::types::Delegator */ PalletParachainStakingDelegator: { id: "AccountId20", delegations: "PalletParachainStakingSetOrderedSet", @@ -4875,24 +4880,24 @@ export default { status: "PalletParachainStakingDelegatorStatus", }, /** - * Lookup487: + * Lookup488: * pallet_parachain_staking::set::OrderedSet> */ PalletParachainStakingSetOrderedSet: "Vec", - /** Lookup488: pallet_parachain_staking::types::Bond */ + /** Lookup489: pallet_parachain_staking::types::Bond */ PalletParachainStakingBond: { owner: "AccountId20", amount: "u128", }, - /** Lookup490: pallet_parachain_staking::types::DelegatorStatus */ + /** Lookup491: pallet_parachain_staking::types::DelegatorStatus */ PalletParachainStakingDelegatorStatus: { _enum: { Active: "Null", Leaving: "u32", }, }, - /** Lookup491: pallet_parachain_staking::types::CandidateMetadata */ + /** Lookup492: pallet_parachain_staking::types::CandidateMetadata */ PalletParachainStakingCandidateMetadata: { bond: "u128", delegationCount: "u32", @@ -4905,16 +4910,16 @@ export default { request: "Option", status: "PalletParachainStakingCollatorStatus", }, - /** Lookup492: pallet_parachain_staking::types::CapacityStatus */ + /** Lookup493: pallet_parachain_staking::types::CapacityStatus */ PalletParachainStakingCapacityStatus: { _enum: ["Full", "Empty", "Partial"], }, - /** Lookup494: pallet_parachain_staking::types::CandidateBondLessRequest */ + /** Lookup495: pallet_parachain_staking::types::CandidateBondLessRequest */ PalletParachainStakingCandidateBondLessRequest: { amount: "u128", whenExecutable: "u32", }, - /** Lookup495: pallet_parachain_staking::types::CollatorStatus */ + /** Lookup496: pallet_parachain_staking::types::CollatorStatus */ PalletParachainStakingCollatorStatus: { _enum: { Active: "Null", @@ -4922,50 +4927,50 @@ export default { Leaving: "u32", }, }, - /** Lookup497: pallet_parachain_staking::delegation_requests::ScheduledRequest */ + /** Lookup498: pallet_parachain_staking::delegation_requests::ScheduledRequest */ PalletParachainStakingDelegationRequestsScheduledRequest: { delegator: "AccountId20", whenExecutable: "u32", action: "PalletParachainStakingDelegationRequestsDelegationAction", }, /** - * Lookup500: + * Lookup501: * pallet_parachain_staking::auto_compound::AutoCompoundConfig[account::AccountId20](account::AccountId20) */ PalletParachainStakingAutoCompoundAutoCompoundConfig: { delegator: "AccountId20", value: "Percent", }, - /** Lookup502: pallet_parachain_staking::types::Delegations */ + /** Lookup503: pallet_parachain_staking::types::Delegations */ PalletParachainStakingDelegations: { delegations: "Vec", total: "u128", }, /** - * Lookup504: + * Lookup505: * pallet_parachain_staking::set::BoundedOrderedSet, S> */ PalletParachainStakingSetBoundedOrderedSet: "Vec", - /** Lookup507: pallet_parachain_staking::types::CollatorSnapshot */ + /** Lookup508: pallet_parachain_staking::types::CollatorSnapshot */ PalletParachainStakingCollatorSnapshot: { bond: "u128", delegations: "Vec", total: "u128", }, - /** Lookup509: pallet_parachain_staking::types::BondWithAutoCompound */ + /** Lookup510: pallet_parachain_staking::types::BondWithAutoCompound */ PalletParachainStakingBondWithAutoCompound: { owner: "AccountId20", amount: "u128", autoCompound: "Percent", }, - /** Lookup510: pallet_parachain_staking::types::DelayedPayout */ + /** Lookup511: pallet_parachain_staking::types::DelayedPayout */ PalletParachainStakingDelayedPayout: { roundIssuance: "u128", totalStakingReward: "u128", collatorCommission: "Perbill", }, - /** Lookup511: pallet_parachain_staking::inflation::InflationInfo */ + /** Lookup512: pallet_parachain_staking::inflation::InflationInfo */ PalletParachainStakingInflationInflationInfo: { expect: { min: "u128", @@ -4983,7 +4988,7 @@ export default { max: "Perbill", }, }, - /** Lookup512: pallet_parachain_staking::pallet::Error */ + /** Lookup513: pallet_parachain_staking::pallet::Error */ PalletParachainStakingError: { _enum: [ "DelegatorDNE", @@ -5045,7 +5050,7 @@ export default { ], }, /** - * Lookup515: pallet_scheduler::Scheduled, BlockNumber, moonbase_runtime::OriginCaller, account::AccountId20> */ @@ -5056,13 +5061,13 @@ export default { maybePeriodic: "Option<(u32,u32)>", origin: "MoonbaseRuntimeOriginCaller", }, - /** Lookup517: pallet_scheduler::RetryConfig */ + /** Lookup518: pallet_scheduler::RetryConfig */ PalletSchedulerRetryConfig: { totalRetries: "u8", remaining: "u8", period: "u32", }, - /** Lookup518: pallet_scheduler::pallet::Error */ + /** Lookup519: pallet_scheduler::pallet::Error */ PalletSchedulerError: { _enum: [ "FailedToSchedule", @@ -5072,7 +5077,7 @@ export default { "Named", ], }, - /** Lookup519: pallet_treasury::Proposal */ + /** Lookup520: pallet_treasury::Proposal */ PalletTreasuryProposal: { proposer: "AccountId20", value: "u128", @@ -5080,7 +5085,7 @@ export default { bond: "u128", }, /** - * Lookup522: pallet_treasury::SpendStatus */ PalletTreasurySpendStatus: { @@ -5091,7 +5096,7 @@ export default { expireAt: "u32", status: "PalletTreasuryPaymentState", }, - /** Lookup523: pallet_treasury::PaymentState */ + /** Lookup524: pallet_treasury::PaymentState */ PalletTreasuryPaymentState: { _enum: { Pending: "Null", @@ -5101,9 +5106,9 @@ export default { Failed: "Null", }, }, - /** Lookup525: frame_support::PalletId */ + /** Lookup526: frame_support::PalletId */ FrameSupportPalletId: "[u8;8]", - /** Lookup526: pallet_treasury::pallet::Error */ + /** Lookup527: pallet_treasury::pallet::Error */ PalletTreasuryError: { _enum: [ "InsufficientProposersBalance", @@ -5120,17 +5125,17 @@ export default { "Inconclusive", ], }, - /** Lookup527: pallet_author_inherent::pallet::Error */ + /** Lookup528: pallet_author_inherent::pallet::Error */ PalletAuthorInherentError: { _enum: ["AuthorAlreadySet", "NoAccountId", "CannotBeAuthor"], }, - /** Lookup528: pallet_crowdloan_rewards::pallet::RewardInfo */ + /** Lookup529: pallet_crowdloan_rewards::pallet::RewardInfo */ PalletCrowdloanRewardsRewardInfo: { totalReward: "u128", claimedReward: "u128", contributedRelayAddresses: "Vec<[u8;32]>", }, - /** Lookup530: pallet_crowdloan_rewards::pallet::Error */ + /** Lookup531: pallet_crowdloan_rewards::pallet::Error */ PalletCrowdloanRewardsError: { _enum: [ "AlreadyAssociated", @@ -5150,7 +5155,7 @@ export default { "InsufficientNumberOfValidProofs", ], }, - /** Lookup531: pallet_author_mapping::pallet::RegistrationInfo */ + /** Lookup532: pallet_author_mapping::pallet::RegistrationInfo */ PalletAuthorMappingRegistrationInfo: { _alias: { keys_: "keys", @@ -5159,7 +5164,7 @@ export default { deposit: "u128", keys_: "SessionKeysPrimitivesVrfVrfCryptoPublic", }, - /** Lookup532: pallet_author_mapping::pallet::Error */ + /** Lookup533: pallet_author_mapping::pallet::Error */ PalletAuthorMappingError: { _enum: [ "AssociationNotFound", @@ -5172,19 +5177,19 @@ export default { "DecodeKeysFailed", ], }, - /** Lookup535: pallet_proxy::ProxyDefinition */ + /** Lookup536: pallet_proxy::ProxyDefinition */ PalletProxyProxyDefinition: { delegate: "AccountId20", proxyType: "MoonbaseRuntimeProxyType", delay: "u32", }, - /** Lookup539: pallet_proxy::Announcement */ + /** Lookup540: pallet_proxy::Announcement */ PalletProxyAnnouncement: { real: "AccountId20", callHash: "H256", height: "u32", }, - /** Lookup541: pallet_proxy::pallet::Error */ + /** Lookup542: pallet_proxy::pallet::Error */ PalletProxyError: { _enum: [ "TooMany", @@ -5197,12 +5202,12 @@ export default { "NoSelfProxy", ], }, - /** Lookup542: pallet_maintenance_mode::pallet::Error */ + /** Lookup543: pallet_maintenance_mode::pallet::Error */ PalletMaintenanceModeError: { _enum: ["AlreadyInMaintenanceMode", "NotInMaintenanceMode"], }, /** - * Lookup544: pallet_identity::types::Registration> */ PalletIdentityRegistration: { @@ -5210,21 +5215,21 @@ export default { deposit: "u128", info: "PalletIdentityLegacyIdentityInfo", }, - /** Lookup553: pallet_identity::types::RegistrarInfo */ + /** Lookup554: pallet_identity::types::RegistrarInfo */ PalletIdentityRegistrarInfo: { account: "AccountId20", fee: "u128", fields: "u64", }, /** - * Lookup555: + * Lookup556: * pallet_identity::types::AuthorityProperties> */ PalletIdentityAuthorityProperties: { suffix: "Bytes", allocation: "u32", }, - /** Lookup558: pallet_identity::pallet::Error */ + /** Lookup559: pallet_identity::pallet::Error */ PalletIdentityError: { _enum: [ "TooManySubAccounts", @@ -5255,7 +5260,7 @@ export default { "NotExpired", ], }, - /** Lookup563: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ + /** Lookup564: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ CumulusPalletXcmpQueueOutboundChannelDetails: { recipient: "u32", state: "CumulusPalletXcmpQueueOutboundState", @@ -5263,21 +5268,21 @@ export default { firstIndex: "u16", lastIndex: "u16", }, - /** Lookup564: cumulus_pallet_xcmp_queue::OutboundState */ + /** Lookup565: cumulus_pallet_xcmp_queue::OutboundState */ CumulusPalletXcmpQueueOutboundState: { _enum: ["Ok", "Suspended"], }, - /** Lookup566: cumulus_pallet_xcmp_queue::QueueConfigData */ + /** Lookup567: cumulus_pallet_xcmp_queue::QueueConfigData */ CumulusPalletXcmpQueueQueueConfigData: { suspendThreshold: "u32", dropThreshold: "u32", resumeThreshold: "u32", }, - /** Lookup567: cumulus_pallet_xcmp_queue::pallet::Error */ + /** Lookup568: cumulus_pallet_xcmp_queue::pallet::Error */ CumulusPalletXcmpQueueError: { _enum: ["BadQueueConfig", "AlreadySuspended", "AlreadyResumed"], }, - /** Lookup568: cumulus_pallet_dmp_queue::pallet::MigrationState */ + /** Lookup569: cumulus_pallet_dmp_queue::pallet::MigrationState */ CumulusPalletDmpQueueMigrationState: { _enum: { NotStarted: "Null", @@ -5295,7 +5300,7 @@ export default { Completed: "Null", }, }, - /** Lookup571: pallet_xcm::pallet::QueryStatus */ + /** Lookup572: pallet_xcm::pallet::QueryStatus */ PalletXcmQueryStatus: { _enum: { Pending: { @@ -5314,7 +5319,7 @@ export default { }, }, }, - /** Lookup575: xcm::VersionedResponse */ + /** Lookup576: xcm::VersionedResponse */ XcmVersionedResponse: { _enum: { __Unused0: "Null", @@ -5324,7 +5329,7 @@ export default { V4: "StagingXcmV4Response", }, }, - /** Lookup581: pallet_xcm::pallet::VersionMigrationStage */ + /** Lookup582: pallet_xcm::pallet::VersionMigrationStage */ PalletXcmVersionMigrationStage: { _enum: { MigrateSupportedVersion: "Null", @@ -5333,14 +5338,14 @@ export default { MigrateAndNotifyOldTargets: "Null", }, }, - /** Lookup584: pallet_xcm::pallet::RemoteLockedFungibleRecord */ + /** Lookup585: pallet_xcm::pallet::RemoteLockedFungibleRecord */ PalletXcmRemoteLockedFungibleRecord: { amount: "u128", owner: "XcmVersionedLocation", locker: "XcmVersionedLocation", consumers: "Vec<(Null,u128)>", }, - /** Lookup591: pallet_xcm::pallet::Error */ + /** Lookup592: pallet_xcm::pallet::Error */ PalletXcmError: { _enum: [ "Unreachable", @@ -5370,7 +5375,7 @@ export default { "LocalExecutionIncomplete", ], }, - /** Lookup592: pallet_assets::types::AssetDetails */ + /** Lookup593: pallet_assets::types::AssetDetails */ PalletAssetsAssetDetails: { owner: "AccountId20", issuer: "AccountId20", @@ -5385,22 +5390,22 @@ export default { approvals: "u32", status: "PalletAssetsAssetStatus", }, - /** Lookup593: pallet_assets::types::AssetStatus */ + /** Lookup594: pallet_assets::types::AssetStatus */ PalletAssetsAssetStatus: { _enum: ["Live", "Frozen", "Destroying"], }, - /** Lookup595: pallet_assets::types::AssetAccount */ + /** Lookup596: pallet_assets::types::AssetAccount */ PalletAssetsAssetAccount: { balance: "u128", status: "PalletAssetsAccountStatus", reason: "PalletAssetsExistenceReason", extra: "Null", }, - /** Lookup596: pallet_assets::types::AccountStatus */ + /** Lookup597: pallet_assets::types::AccountStatus */ PalletAssetsAccountStatus: { _enum: ["Liquid", "Frozen", "Blocked"], }, - /** Lookup597: pallet_assets::types::ExistenceReason */ + /** Lookup598: pallet_assets::types::ExistenceReason */ PalletAssetsExistenceReason: { _enum: { Consumer: "Null", @@ -5410,13 +5415,13 @@ export default { DepositFrom: "(AccountId20,u128)", }, }, - /** Lookup599: pallet_assets::types::Approval */ + /** Lookup600: pallet_assets::types::Approval */ PalletAssetsApproval: { amount: "u128", deposit: "u128", }, /** - * Lookup600: pallet_assets::types::AssetMetadata> */ PalletAssetsAssetMetadata: { @@ -5426,7 +5431,7 @@ export default { decimals: "u8", isFrozen: "bool", }, - /** Lookup602: pallet_assets::pallet::Error */ + /** Lookup603: pallet_assets::pallet::Error */ PalletAssetsError: { _enum: [ "BalanceLow", @@ -5451,7 +5456,7 @@ export default { "CallbackFailed", ], }, - /** Lookup603: orml_xtokens::module::Error */ + /** Lookup604: orml_xtokens::module::Error */ OrmlXtokensModuleError: { _enum: [ "AssetHasNoReserve", @@ -5476,7 +5481,7 @@ export default { "RateLimited", ], }, - /** Lookup604: pallet_asset_manager::pallet::Error */ + /** Lookup605: pallet_asset_manager::pallet::Error */ PalletAssetManagerError: { _enum: [ "ErrorCreatingAsset", @@ -5489,11 +5494,11 @@ export default { "NonExistentLocalAsset", ], }, - /** Lookup605: pallet_migrations::pallet::Error */ + /** Lookup606: pallet_migrations::pallet::Error */ PalletMigrationsError: { _enum: ["PreimageMissing", "WrongUpperBound", "PreimageIsTooBig", "PreimageAlreadyExists"], }, - /** Lookup606: pallet_xcm_transactor::relay_indices::RelayChainIndices */ + /** Lookup607: pallet_xcm_transactor::relay_indices::RelayChainIndices */ PalletXcmTransactorRelayIndicesRelayChainIndices: { staking: "u8", utility: "u8", @@ -5514,7 +5519,7 @@ export default { closeChannel: "u8", cancelOpenRequest: "u8", }, - /** Lookup607: pallet_xcm_transactor::pallet::Error */ + /** Lookup608: pallet_xcm_transactor::pallet::Error */ PalletXcmTransactorError: { _enum: [ "IndexAlreadyClaimed", @@ -5546,18 +5551,18 @@ export default { "RefundNotSupportedWithTransactInfo", ], }, - /** Lookup608: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ + /** Lookup609: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCollatorPoolInfo: { orbiters: "Vec", maybeCurrentOrbiter: "Option", nextOrbiter: "u32", }, - /** Lookup610: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ + /** Lookup611: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCurrentOrbiter: { accountId: "AccountId20", removed: "bool", }, - /** Lookup611: pallet_moonbeam_orbiters::pallet::Error */ + /** Lookup612: pallet_moonbeam_orbiters::pallet::Error */ PalletMoonbeamOrbitersError: { _enum: [ "CollatorAlreadyAdded", @@ -5571,16 +5576,16 @@ export default { "OrbiterStillInAPool", ], }, - /** Lookup612: pallet_ethereum_xcm::pallet::Error */ + /** Lookup613: pallet_ethereum_xcm::pallet::Error */ PalletEthereumXcmError: { _enum: ["EthereumXcmExecutionSuspended"], }, - /** Lookup613: pallet_randomness::types::RequestState */ + /** Lookup614: pallet_randomness::types::RequestState */ PalletRandomnessRequestState: { request: "PalletRandomnessRequest", deposit: "u128", }, - /** Lookup614: pallet_randomness::types::Request> */ + /** Lookup615: pallet_randomness::types::Request> */ PalletRandomnessRequest: { refundAddress: "H160", contractAddress: "H160", @@ -5590,26 +5595,26 @@ export default { salt: "H256", info: "PalletRandomnessRequestInfo", }, - /** Lookup615: pallet_randomness::types::RequestInfo */ + /** Lookup616: pallet_randomness::types::RequestInfo */ PalletRandomnessRequestInfo: { _enum: { BabeEpoch: "(u64,u64)", Local: "(u32,u32)", }, }, - /** Lookup616: pallet_randomness::types::RequestType */ + /** Lookup617: pallet_randomness::types::RequestType */ PalletRandomnessRequestType: { _enum: { BabeEpoch: "u64", Local: "u32", }, }, - /** Lookup617: pallet_randomness::types::RandomnessResult */ + /** Lookup618: pallet_randomness::types::RandomnessResult */ PalletRandomnessRandomnessResult: { randomness: "Option", requestCount: "u64", }, - /** Lookup618: pallet_randomness::pallet::Error */ + /** Lookup619: pallet_randomness::pallet::Error */ PalletRandomnessError: { _enum: [ "RequestCounterOverflowed", @@ -5626,7 +5631,7 @@ export default { "RandomnessResultNotFilled", ], }, - /** Lookup620: pallet_collective::Votes */ + /** Lookup621: pallet_collective::Votes */ PalletCollectiveVotes: { index: "u32", threshold: "u32", @@ -5634,7 +5639,7 @@ export default { nays: "Vec", end: "u32", }, - /** Lookup621: pallet_collective::pallet::Error */ + /** Lookup622: pallet_collective::pallet::Error */ PalletCollectiveError: { _enum: [ "NotMember", @@ -5651,7 +5656,7 @@ export default { ], }, /** - * Lookup623: pallet_conviction_voting::vote::Voting */ PalletConvictionVotingVoteVoting: { @@ -5660,20 +5665,20 @@ export default { Delegating: "PalletConvictionVotingVoteDelegating", }, }, - /** Lookup624: pallet_conviction_voting::vote::Casting */ + /** Lookup625: pallet_conviction_voting::vote::Casting */ PalletConvictionVotingVoteCasting: { votes: "Vec<(u32,PalletConvictionVotingVoteAccountVote)>", delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup628: pallet_conviction_voting::types::Delegations */ + /** Lookup629: pallet_conviction_voting::types::Delegations */ PalletConvictionVotingDelegations: { votes: "u128", capital: "u128", }, - /** Lookup629: pallet_conviction_voting::vote::PriorLock */ + /** Lookup630: pallet_conviction_voting::vote::PriorLock */ PalletConvictionVotingVotePriorLock: "(u32,u128)", - /** Lookup630: pallet_conviction_voting::vote::Delegating */ + /** Lookup631: pallet_conviction_voting::vote::Delegating */ PalletConvictionVotingVoteDelegating: { balance: "u128", target: "AccountId20", @@ -5681,7 +5686,7 @@ export default { delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup634: pallet_conviction_voting::pallet::Error */ + /** Lookup635: pallet_conviction_voting::pallet::Error */ PalletConvictionVotingError: { _enum: [ "NotOngoing", @@ -5699,7 +5704,7 @@ export default { ], }, /** - * Lookup635: pallet_referenda::types::ReferendumInfo, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5715,7 +5720,7 @@ export default { }, }, /** - * Lookup636: pallet_referenda::types::ReferendumStatus, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5733,17 +5738,17 @@ export default { inQueue: "bool", alarm: "Option<(u32,(u32,u32))>", }, - /** Lookup637: pallet_referenda::types::Deposit */ + /** Lookup638: pallet_referenda::types::Deposit */ PalletReferendaDeposit: { who: "AccountId20", amount: "u128", }, - /** Lookup640: pallet_referenda::types::DecidingStatus */ + /** Lookup641: pallet_referenda::types::DecidingStatus */ PalletReferendaDecidingStatus: { since: "u32", confirming: "Option", }, - /** Lookup648: pallet_referenda::types::TrackInfo */ + /** Lookup649: pallet_referenda::types::TrackInfo */ PalletReferendaTrackInfo: { name: "Text", maxDeciding: "u32", @@ -5755,7 +5760,7 @@ export default { minApproval: "PalletReferendaCurve", minSupport: "PalletReferendaCurve", }, - /** Lookup649: pallet_referenda::types::Curve */ + /** Lookup650: pallet_referenda::types::Curve */ PalletReferendaCurve: { _enum: { LinearDecreasing: { @@ -5776,7 +5781,7 @@ export default { }, }, }, - /** Lookup652: pallet_referenda::pallet::Error */ + /** Lookup653: pallet_referenda::pallet::Error */ PalletReferendaError: { _enum: [ "NotOngoing", @@ -5795,7 +5800,7 @@ export default { "PreimageStoredWithDifferentLength", ], }, - /** Lookup653: pallet_preimage::OldRequestStatus */ + /** Lookup654: pallet_preimage::OldRequestStatus */ PalletPreimageOldRequestStatus: { _enum: { Unrequested: { @@ -5810,7 +5815,7 @@ export default { }, }, /** - * Lookup656: pallet_preimage::RequestStatus> */ PalletPreimageRequestStatus: { @@ -5826,7 +5831,7 @@ export default { }, }, }, - /** Lookup662: pallet_preimage::pallet::Error */ + /** Lookup663: pallet_preimage::pallet::Error */ PalletPreimageError: { _enum: [ "TooBig", @@ -5839,7 +5844,7 @@ export default { "TooFew", ], }, - /** Lookup663: pallet_whitelist::pallet::Error */ + /** Lookup664: pallet_whitelist::pallet::Error */ PalletWhitelistError: { _enum: [ "UnavailablePreImage", @@ -5849,14 +5854,14 @@ export default { "CallAlreadyWhitelisted", ], }, - /** Lookup667: pallet_multisig::Multisig */ + /** Lookup668: pallet_multisig::Multisig */ PalletMultisigMultisig: { when: "PalletMultisigTimepoint", deposit: "u128", depositor: "AccountId20", approvals: "Vec", }, - /** Lookup669: pallet_multisig::pallet::Error */ + /** Lookup670: pallet_multisig::pallet::Error */ PalletMultisigError: { _enum: [ "MinimumThreshold", @@ -5875,7 +5880,7 @@ export default { "AlreadyStored", ], }, - /** Lookup672: pallet_moonbeam_lazy_migrations::pallet::Error */ + /** Lookup673: pallet_moonbeam_lazy_migrations::pallet::Error */ PalletMoonbeamLazyMigrationsError: { _enum: [ "LimitCannotBeZero", @@ -5885,11 +5890,11 @@ export default { "ContractNotExist", ], }, - /** Lookup674: pallet_precompile_benchmarks::pallet::Error */ + /** Lookup675: pallet_precompile_benchmarks::pallet::Error */ PalletPrecompileBenchmarksError: { _enum: ["BenchmarkError"], }, - /** Lookup675: pallet_message_queue::BookState */ + /** Lookup676: pallet_message_queue::BookState */ PalletMessageQueueBookState: { _alias: { size_: "size", @@ -5901,12 +5906,12 @@ export default { messageCount: "u64", size_: "u64", }, - /** Lookup677: pallet_message_queue::Neighbours */ + /** Lookup678: pallet_message_queue::Neighbours */ PalletMessageQueueNeighbours: { prev: "CumulusPrimitivesCoreAggregateMessageOrigin", next: "CumulusPrimitivesCoreAggregateMessageOrigin", }, - /** Lookup679: pallet_message_queue::Page */ + /** Lookup680: pallet_message_queue::Page */ PalletMessageQueuePage: { remaining: "u32", remainingSize: "u32", @@ -5915,7 +5920,7 @@ export default { last: "u32", heap: "Bytes", }, - /** Lookup681: pallet_message_queue::pallet::Error */ + /** Lookup682: pallet_message_queue::pallet::Error */ PalletMessageQueueError: { _enum: [ "NotReapable", @@ -5929,19 +5934,19 @@ export default { "RecursiveDisallowed", ], }, - /** Lookup682: pallet_emergency_para_xcm::XcmMode */ + /** Lookup683: pallet_emergency_para_xcm::XcmMode */ PalletEmergencyParaXcmXcmMode: { _enum: ["Normal", "Paused"], }, - /** Lookup683: pallet_emergency_para_xcm::pallet::Error */ + /** Lookup684: pallet_emergency_para_xcm::pallet::Error */ PalletEmergencyParaXcmError: { _enum: ["NotInPausedMode"], }, - /** Lookup685: pallet_moonbeam_foreign_assets::AssetStatus */ + /** Lookup686: pallet_moonbeam_foreign_assets::AssetStatus */ PalletMoonbeamForeignAssetsAssetStatus: { _enum: ["Active", "FrozenXcmDepositAllowed", "FrozenXcmDepositForbidden"], }, - /** Lookup686: pallet_moonbeam_foreign_assets::pallet::Error */ + /** Lookup687: pallet_moonbeam_foreign_assets::pallet::Error */ PalletMoonbeamForeignAssetsError: { _enum: [ "AssetAlreadyExists", @@ -5960,7 +5965,7 @@ export default { "TooManyForeignAssets", ], }, - /** Lookup688: pallet_xcm_weight_trader::pallet::Error */ + /** Lookup689: pallet_xcm_weight_trader::pallet::Error */ PalletXcmWeightTraderError: { _enum: [ "AssetAlreadyAdded", @@ -5971,30 +5976,30 @@ export default { "PriceCannotBeZero", ], }, - /** Lookup691: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ + /** Lookup692: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ FrameSystemExtensionsCheckNonZeroSender: "Null", - /** Lookup692: frame_system::extensions::check_spec_version::CheckSpecVersion */ + /** Lookup693: frame_system::extensions::check_spec_version::CheckSpecVersion */ FrameSystemExtensionsCheckSpecVersion: "Null", - /** Lookup693: frame_system::extensions::check_tx_version::CheckTxVersion */ + /** Lookup694: frame_system::extensions::check_tx_version::CheckTxVersion */ FrameSystemExtensionsCheckTxVersion: "Null", - /** Lookup694: frame_system::extensions::check_genesis::CheckGenesis */ + /** Lookup695: frame_system::extensions::check_genesis::CheckGenesis */ FrameSystemExtensionsCheckGenesis: "Null", - /** Lookup697: frame_system::extensions::check_nonce::CheckNonce */ + /** Lookup698: frame_system::extensions::check_nonce::CheckNonce */ FrameSystemExtensionsCheckNonce: "Compact", - /** Lookup698: frame_system::extensions::check_weight::CheckWeight */ + /** Lookup699: frame_system::extensions::check_weight::CheckWeight */ FrameSystemExtensionsCheckWeight: "Null", - /** Lookup699: pallet_transaction_payment::ChargeTransactionPayment */ + /** Lookup700: pallet_transaction_payment::ChargeTransactionPayment */ PalletTransactionPaymentChargeTransactionPayment: "Compact", - /** Lookup700: frame_metadata_hash_extension::CheckMetadataHash */ + /** Lookup701: frame_metadata_hash_extension::CheckMetadataHash */ FrameMetadataHashExtensionCheckMetadataHash: { mode: "FrameMetadataHashExtensionMode", }, - /** Lookup701: frame_metadata_hash_extension::Mode */ + /** Lookup702: frame_metadata_hash_extension::Mode */ FrameMetadataHashExtensionMode: { _enum: ["Disabled", "Enabled"], }, - /** Lookup702: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ + /** Lookup703: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: "Null", - /** Lookup704: moonbase_runtime::Runtime */ + /** Lookup705: moonbase_runtime::Runtime */ MoonbaseRuntimeRuntime: "Null", }; diff --git a/typescript-api/src/moonbase/interfaces/registry.ts b/typescript-api/src/moonbase/interfaces/registry.ts index 264971bd12..a6b2c09c95 100644 --- a/typescript-api/src/moonbase/interfaces/registry.ts +++ b/typescript-api/src/moonbase/interfaces/registry.ts @@ -223,6 +223,7 @@ import type { PalletParachainStakingError, PalletParachainStakingEvent, PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletParachainStakingInflationInflationInfo, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, @@ -624,6 +625,7 @@ declare module "@polkadot/types/types/registry" { PalletParachainStakingError: PalletParachainStakingError; PalletParachainStakingEvent: PalletParachainStakingEvent; PalletParachainStakingInflationDistributionAccount: PalletParachainStakingInflationDistributionAccount; + PalletParachainStakingInflationDistributionConfig: PalletParachainStakingInflationDistributionConfig; PalletParachainStakingInflationInflationInfo: PalletParachainStakingInflationInflationInfo; PalletParachainStakingRoundInfo: PalletParachainStakingRoundInfo; PalletParachainStakingSetBoundedOrderedSet: PalletParachainStakingSetBoundedOrderedSet; diff --git a/typescript-api/src/moonbase/interfaces/types-lookup.ts b/typescript-api/src/moonbase/interfaces/types-lookup.ts index c42a231ca6..201233d9f0 100644 --- a/typescript-api/src/moonbase/interfaces/types-lookup.ts +++ b/typescript-api/src/moonbase/interfaces/types-lookup.ts @@ -753,8 +753,8 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly isInflationDistributionConfigUpdated: boolean; readonly asInflationDistributionConfigUpdated: { - readonly old: Vec; - readonly new_: Vec; + readonly old: PalletParachainStakingInflationDistributionConfig; + readonly new_: PalletParachainStakingInflationDistributionConfig; } & Struct; readonly isInflationSet: boolean; readonly asInflationSet: { @@ -865,13 +865,17 @@ declare module "@polkadot/types/lookup" { readonly type: "AddedToTop" | "AddedToBottom"; } - /** @name PalletParachainStakingInflationDistributionAccount (61) */ + /** @name PalletParachainStakingInflationDistributionConfig (60) */ + interface PalletParachainStakingInflationDistributionConfig + extends Vec {} + + /** @name PalletParachainStakingInflationDistributionAccount (62) */ interface PalletParachainStakingInflationDistributionAccount extends Struct { readonly account: AccountId20; readonly percent: Percent; } - /** @name PalletSchedulerEvent (63) */ + /** @name PalletSchedulerEvent (64) */ interface PalletSchedulerEvent extends Enum { readonly isScheduled: boolean; readonly asScheduled: { @@ -933,7 +937,7 @@ declare module "@polkadot/types/lookup" { | "PermanentlyOverweight"; } - /** @name PalletTreasuryEvent (65) */ + /** @name PalletTreasuryEvent (66) */ interface PalletTreasuryEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -1021,14 +1025,14 @@ declare module "@polkadot/types/lookup" { | "SpendProcessed"; } - /** @name PalletAuthorSlotFilterEvent (66) */ + /** @name PalletAuthorSlotFilterEvent (67) */ interface PalletAuthorSlotFilterEvent extends Enum { readonly isEligibleUpdated: boolean; readonly asEligibleUpdated: u32; readonly type: "EligibleUpdated"; } - /** @name PalletCrowdloanRewardsEvent (68) */ + /** @name PalletCrowdloanRewardsEvent (69) */ interface PalletCrowdloanRewardsEvent extends Enum { readonly isInitialPaymentMade: boolean; readonly asInitialPaymentMade: ITuple<[AccountId20, u128]>; @@ -1053,7 +1057,7 @@ declare module "@polkadot/types/lookup" { | "InitializedAccountWithNotEnoughContribution"; } - /** @name PalletAuthorMappingEvent (69) */ + /** @name PalletAuthorMappingEvent (70) */ interface PalletAuthorMappingEvent extends Enum { readonly isKeysRegistered: boolean; readonly asKeysRegistered: { @@ -1076,13 +1080,13 @@ declare module "@polkadot/types/lookup" { readonly type: "KeysRegistered" | "KeysRemoved" | "KeysRotated"; } - /** @name NimbusPrimitivesNimbusCryptoPublic (70) */ + /** @name NimbusPrimitivesNimbusCryptoPublic (71) */ interface NimbusPrimitivesNimbusCryptoPublic extends U8aFixed {} - /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (71) */ + /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (72) */ interface SessionKeysPrimitivesVrfVrfCryptoPublic extends U8aFixed {} - /** @name PalletProxyEvent (72) */ + /** @name PalletProxyEvent (73) */ interface PalletProxyEvent extends Enum { readonly isProxyExecuted: boolean; readonly asProxyExecuted: { @@ -1118,7 +1122,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProxyExecuted" | "PureCreated" | "Announced" | "ProxyAdded" | "ProxyRemoved"; } - /** @name MoonbaseRuntimeProxyType (73) */ + /** @name MoonbaseRuntimeProxyType (74) */ interface MoonbaseRuntimeProxyType extends Enum { readonly isAny: boolean; readonly isNonTransfer: boolean; @@ -1139,7 +1143,7 @@ declare module "@polkadot/types/lookup" { | "IdentityJudgement"; } - /** @name PalletMaintenanceModeEvent (75) */ + /** @name PalletMaintenanceModeEvent (76) */ interface PalletMaintenanceModeEvent extends Enum { readonly isEnteredMaintenanceMode: boolean; readonly isNormalOperationResumed: boolean; @@ -1158,7 +1162,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletIdentityEvent (76) */ + /** @name PalletIdentityEvent (77) */ interface PalletIdentityEvent extends Enum { readonly isIdentitySet: boolean; readonly asIdentitySet: { @@ -1264,7 +1268,7 @@ declare module "@polkadot/types/lookup" { | "DanglingUsernameRemoved"; } - /** @name CumulusPalletXcmpQueueEvent (78) */ + /** @name CumulusPalletXcmpQueueEvent (79) */ interface CumulusPalletXcmpQueueEvent extends Enum { readonly isXcmpMessageSent: boolean; readonly asXcmpMessageSent: { @@ -1273,7 +1277,7 @@ declare module "@polkadot/types/lookup" { readonly type: "XcmpMessageSent"; } - /** @name CumulusPalletXcmEvent (79) */ + /** @name CumulusPalletXcmEvent (80) */ interface CumulusPalletXcmEvent extends Enum { readonly isInvalidFormat: boolean; readonly asInvalidFormat: U8aFixed; @@ -1284,7 +1288,7 @@ declare module "@polkadot/types/lookup" { readonly type: "InvalidFormat" | "UnsupportedVersion" | "ExecutedDownward"; } - /** @name StagingXcmV4TraitsOutcome (80) */ + /** @name StagingXcmV4TraitsOutcome (81) */ interface StagingXcmV4TraitsOutcome extends Enum { readonly isComplete: boolean; readonly asComplete: { @@ -1302,7 +1306,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Complete" | "Incomplete" | "Error"; } - /** @name XcmV3TraitsError (81) */ + /** @name XcmV3TraitsError (82) */ interface XcmV3TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -1389,7 +1393,7 @@ declare module "@polkadot/types/lookup" { | "ExceedsStackLimit"; } - /** @name CumulusPalletDmpQueueEvent (82) */ + /** @name CumulusPalletDmpQueueEvent (83) */ interface CumulusPalletDmpQueueEvent extends Enum { readonly isStartedExport: boolean; readonly isExported: boolean; @@ -1434,7 +1438,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmEvent (83) */ + /** @name PalletXcmEvent (84) */ interface PalletXcmEvent extends Enum { readonly isAttempted: boolean; readonly asAttempted: { @@ -1599,13 +1603,13 @@ declare module "@polkadot/types/lookup" { | "VersionMigrationFinished"; } - /** @name StagingXcmV4Location (84) */ + /** @name StagingXcmV4Location (85) */ interface StagingXcmV4Location extends Struct { readonly parents: u8; readonly interior: StagingXcmV4Junctions; } - /** @name StagingXcmV4Junctions (85) */ + /** @name StagingXcmV4Junctions (86) */ interface StagingXcmV4Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -1627,7 +1631,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name StagingXcmV4Junction (87) */ + /** @name StagingXcmV4Junction (88) */ interface StagingXcmV4Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -1676,7 +1680,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name StagingXcmV4JunctionNetworkId (90) */ + /** @name StagingXcmV4JunctionNetworkId (91) */ interface StagingXcmV4JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -1711,7 +1715,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3JunctionBodyId (92) */ + /** @name XcmV3JunctionBodyId (93) */ interface XcmV3JunctionBodyId extends Enum { readonly isUnit: boolean; readonly isMoniker: boolean; @@ -1738,7 +1742,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV3JunctionBodyPart (93) */ + /** @name XcmV3JunctionBodyPart (94) */ interface XcmV3JunctionBodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -1763,10 +1767,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name StagingXcmV4Xcm (101) */ + /** @name StagingXcmV4Xcm (102) */ interface StagingXcmV4Xcm extends Vec {} - /** @name StagingXcmV4Instruction (103) */ + /** @name StagingXcmV4Instruction (104) */ interface StagingXcmV4Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: StagingXcmV4AssetAssets; @@ -1996,19 +2000,19 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name StagingXcmV4AssetAssets (104) */ + /** @name StagingXcmV4AssetAssets (105) */ interface StagingXcmV4AssetAssets extends Vec {} - /** @name StagingXcmV4Asset (106) */ + /** @name StagingXcmV4Asset (107) */ interface StagingXcmV4Asset extends Struct { readonly id: StagingXcmV4AssetAssetId; readonly fun: StagingXcmV4AssetFungibility; } - /** @name StagingXcmV4AssetAssetId (107) */ + /** @name StagingXcmV4AssetAssetId (108) */ interface StagingXcmV4AssetAssetId extends StagingXcmV4Location {} - /** @name StagingXcmV4AssetFungibility (108) */ + /** @name StagingXcmV4AssetFungibility (109) */ interface StagingXcmV4AssetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -2017,7 +2021,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmV4AssetAssetInstance (109) */ + /** @name StagingXcmV4AssetAssetInstance (110) */ interface StagingXcmV4AssetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -2033,7 +2037,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name StagingXcmV4Response (112) */ + /** @name StagingXcmV4Response (113) */ interface StagingXcmV4Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -2055,7 +2059,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name StagingXcmV4PalletInfo (116) */ + /** @name StagingXcmV4PalletInfo (117) */ interface StagingXcmV4PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -2065,7 +2069,7 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3MaybeErrorCode (119) */ + /** @name XcmV3MaybeErrorCode (120) */ interface XcmV3MaybeErrorCode extends Enum { readonly isSuccess: boolean; readonly isError: boolean; @@ -2075,7 +2079,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Success" | "Error" | "TruncatedError"; } - /** @name XcmV2OriginKind (122) */ + /** @name XcmV2OriginKind (123) */ interface XcmV2OriginKind extends Enum { readonly isNative: boolean; readonly isSovereignAccount: boolean; @@ -2084,19 +2088,19 @@ declare module "@polkadot/types/lookup" { readonly type: "Native" | "SovereignAccount" | "Superuser" | "Xcm"; } - /** @name XcmDoubleEncoded (123) */ + /** @name XcmDoubleEncoded (124) */ interface XcmDoubleEncoded extends Struct { readonly encoded: Bytes; } - /** @name StagingXcmV4QueryResponseInfo (124) */ + /** @name StagingXcmV4QueryResponseInfo (125) */ interface StagingXcmV4QueryResponseInfo extends Struct { readonly destination: StagingXcmV4Location; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name StagingXcmV4AssetAssetFilter (125) */ + /** @name StagingXcmV4AssetAssetFilter (126) */ interface StagingXcmV4AssetAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: StagingXcmV4AssetAssets; @@ -2105,7 +2109,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name StagingXcmV4AssetWildAsset (126) */ + /** @name StagingXcmV4AssetWildAsset (127) */ interface StagingXcmV4AssetWildAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -2124,14 +2128,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name StagingXcmV4AssetWildFungibility (127) */ + /** @name StagingXcmV4AssetWildFungibility (128) */ interface StagingXcmV4AssetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3WeightLimit (128) */ + /** @name XcmV3WeightLimit (129) */ interface XcmV3WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -2139,7 +2143,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmVersionedAssets (129) */ + /** @name XcmVersionedAssets (130) */ interface XcmVersionedAssets extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiassetMultiAssets; @@ -2150,16 +2154,16 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2MultiassetMultiAssets (130) */ + /** @name XcmV2MultiassetMultiAssets (131) */ interface XcmV2MultiassetMultiAssets extends Vec {} - /** @name XcmV2MultiAsset (132) */ + /** @name XcmV2MultiAsset (133) */ interface XcmV2MultiAsset extends Struct { readonly id: XcmV2MultiassetAssetId; readonly fun: XcmV2MultiassetFungibility; } - /** @name XcmV2MultiassetAssetId (133) */ + /** @name XcmV2MultiassetAssetId (134) */ interface XcmV2MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: XcmV2MultiLocation; @@ -2168,13 +2172,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV2MultiLocation (134) */ + /** @name XcmV2MultiLocation (135) */ interface XcmV2MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV2MultilocationJunctions; } - /** @name XcmV2MultilocationJunctions (135) */ + /** @name XcmV2MultilocationJunctions (136) */ interface XcmV2MultilocationJunctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2221,7 +2225,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV2Junction (136) */ + /** @name XcmV2Junction (137) */ interface XcmV2Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2264,7 +2268,7 @@ declare module "@polkadot/types/lookup" { | "Plurality"; } - /** @name XcmV2NetworkId (137) */ + /** @name XcmV2NetworkId (138) */ interface XcmV2NetworkId extends Enum { readonly isAny: boolean; readonly isNamed: boolean; @@ -2274,7 +2278,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Any" | "Named" | "Polkadot" | "Kusama"; } - /** @name XcmV2BodyId (139) */ + /** @name XcmV2BodyId (140) */ interface XcmV2BodyId extends Enum { readonly isUnit: boolean; readonly isNamed: boolean; @@ -2301,7 +2305,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV2BodyPart (140) */ + /** @name XcmV2BodyPart (141) */ interface XcmV2BodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -2326,7 +2330,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name XcmV2MultiassetFungibility (141) */ + /** @name XcmV2MultiassetFungibility (142) */ interface XcmV2MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -2335,7 +2339,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2MultiassetAssetInstance (142) */ + /** @name XcmV2MultiassetAssetInstance (143) */ interface XcmV2MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -2353,16 +2357,16 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32" | "Blob"; } - /** @name XcmV3MultiassetMultiAssets (143) */ + /** @name XcmV3MultiassetMultiAssets (144) */ interface XcmV3MultiassetMultiAssets extends Vec {} - /** @name XcmV3MultiAsset (145) */ + /** @name XcmV3MultiAsset (146) */ interface XcmV3MultiAsset extends Struct { readonly id: XcmV3MultiassetAssetId; readonly fun: XcmV3MultiassetFungibility; } - /** @name XcmV3MultiassetAssetId (146) */ + /** @name XcmV3MultiassetAssetId (147) */ interface XcmV3MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: StagingXcmV3MultiLocation; @@ -2371,13 +2375,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name StagingXcmV3MultiLocation (147) */ + /** @name StagingXcmV3MultiLocation (148) */ interface StagingXcmV3MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV3Junctions; } - /** @name XcmV3Junctions (148) */ + /** @name XcmV3Junctions (149) */ interface XcmV3Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2424,7 +2428,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV3Junction (149) */ + /** @name XcmV3Junction (150) */ interface XcmV3Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2473,7 +2477,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name XcmV3JunctionNetworkId (151) */ + /** @name XcmV3JunctionNetworkId (152) */ interface XcmV3JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -2508,7 +2512,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3MultiassetFungibility (152) */ + /** @name XcmV3MultiassetFungibility (153) */ interface XcmV3MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -2517,7 +2521,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3MultiassetAssetInstance (153) */ + /** @name XcmV3MultiassetAssetInstance (154) */ interface XcmV3MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -2533,7 +2537,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name XcmVersionedLocation (154) */ + /** @name XcmVersionedLocation (155) */ interface XcmVersionedLocation extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiLocation; @@ -2544,7 +2548,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletAssetsEvent (155) */ + /** @name PalletAssetsEvent (156) */ interface PalletAssetsEvent extends Enum { readonly isCreated: boolean; readonly asCreated: { @@ -2706,7 +2710,7 @@ declare module "@polkadot/types/lookup" { | "Blocked"; } - /** @name OrmlXtokensModuleEvent (156) */ + /** @name OrmlXtokensModuleEvent (157) */ interface OrmlXtokensModuleEvent extends Enum { readonly isTransferredAssets: boolean; readonly asTransferredAssets: { @@ -2718,7 +2722,7 @@ declare module "@polkadot/types/lookup" { readonly type: "TransferredAssets"; } - /** @name PalletAssetManagerEvent (157) */ + /** @name PalletAssetManagerEvent (158) */ interface PalletAssetManagerEvent extends Enum { readonly isForeignAssetRegistered: boolean; readonly asForeignAssetRegistered: { @@ -2760,14 +2764,14 @@ declare module "@polkadot/types/lookup" { | "LocalAssetDestroyed"; } - /** @name MoonbaseRuntimeXcmConfigAssetType (158) */ + /** @name MoonbaseRuntimeXcmConfigAssetType (159) */ interface MoonbaseRuntimeXcmConfigAssetType extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV3MultiLocation; readonly type: "Xcm"; } - /** @name MoonbaseRuntimeAssetConfigAssetRegistrarMetadata (159) */ + /** @name MoonbaseRuntimeAssetConfigAssetRegistrarMetadata (160) */ interface MoonbaseRuntimeAssetConfigAssetRegistrarMetadata extends Struct { readonly name: Bytes; readonly symbol: Bytes; @@ -2775,7 +2779,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletMigrationsEvent (160) */ + /** @name PalletMigrationsEvent (161) */ interface PalletMigrationsEvent extends Enum { readonly isRuntimeUpgradeStarted: boolean; readonly isRuntimeUpgradeCompleted: boolean; @@ -2808,7 +2812,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletXcmTransactorEvent (161) */ + /** @name PalletXcmTransactorEvent (162) */ interface PalletXcmTransactorEvent extends Enum { readonly isTransactedDerivative: boolean; readonly asTransactedDerivative: { @@ -2878,14 +2882,14 @@ declare module "@polkadot/types/lookup" { | "HrmpManagementSent"; } - /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (162) */ + /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (163) */ interface PalletXcmTransactorRemoteTransactInfoWithMaxWeight extends Struct { readonly transactExtraWeight: SpWeightsWeightV2Weight; readonly maxWeight: SpWeightsWeightV2Weight; readonly transactExtraWeightSigned: Option; } - /** @name PalletXcmTransactorHrmpOperation (164) */ + /** @name PalletXcmTransactorHrmpOperation (165) */ interface PalletXcmTransactorHrmpOperation extends Enum { readonly isInitOpen: boolean; readonly asInitOpen: PalletXcmTransactorHrmpInitParams; @@ -2903,20 +2907,20 @@ declare module "@polkadot/types/lookup" { readonly type: "InitOpen" | "Accept" | "Close" | "Cancel"; } - /** @name PalletXcmTransactorHrmpInitParams (165) */ + /** @name PalletXcmTransactorHrmpInitParams (166) */ interface PalletXcmTransactorHrmpInitParams extends Struct { readonly paraId: u32; readonly proposedMaxCapacity: u32; readonly proposedMaxMessageSize: u32; } - /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (167) */ + /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (168) */ interface PolkadotParachainPrimitivesPrimitivesHrmpChannelId extends Struct { readonly sender: u32; readonly recipient: u32; } - /** @name PalletMoonbeamOrbitersEvent (168) */ + /** @name PalletMoonbeamOrbitersEvent (169) */ interface PalletMoonbeamOrbitersEvent extends Enum { readonly isOrbiterJoinCollatorPool: boolean; readonly asOrbiterJoinCollatorPool: { @@ -2957,7 +2961,7 @@ declare module "@polkadot/types/lookup" { | "OrbiterUnregistered"; } - /** @name PalletEthereumXcmEvent (169) */ + /** @name PalletEthereumXcmEvent (170) */ interface PalletEthereumXcmEvent extends Enum { readonly isExecutedFromXcm: boolean; readonly asExecutedFromXcm: { @@ -2967,7 +2971,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ExecutedFromXcm"; } - /** @name PalletRandomnessEvent (170) */ + /** @name PalletRandomnessEvent (171) */ interface PalletRandomnessEvent extends Enum { readonly isRandomnessRequestedBabeEpoch: boolean; readonly asRandomnessRequestedBabeEpoch: { @@ -3012,7 +3016,7 @@ declare module "@polkadot/types/lookup" { | "RequestExpirationExecuted"; } - /** @name PalletCollectiveEvent (171) */ + /** @name PalletCollectiveEvent (172) */ interface PalletCollectiveEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -3063,7 +3067,7 @@ declare module "@polkadot/types/lookup" { | "Closed"; } - /** @name PalletConvictionVotingEvent (172) */ + /** @name PalletConvictionVotingEvent (173) */ interface PalletConvictionVotingEvent extends Enum { readonly isDelegated: boolean; readonly asDelegated: ITuple<[AccountId20, AccountId20]>; @@ -3072,7 +3076,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Delegated" | "Undelegated"; } - /** @name PalletReferendaEvent (173) */ + /** @name PalletReferendaEvent (174) */ interface PalletReferendaEvent extends Enum { readonly isSubmitted: boolean; readonly asSubmitted: { @@ -3176,7 +3180,7 @@ declare module "@polkadot/types/lookup" { | "MetadataCleared"; } - /** @name FrameSupportPreimagesBounded (174) */ + /** @name FrameSupportPreimagesBounded (175) */ interface FrameSupportPreimagesBounded extends Enum { readonly isLegacy: boolean; readonly asLegacy: { @@ -3192,7 +3196,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Inline" | "Lookup"; } - /** @name FrameSystemCall (176) */ + /** @name FrameSystemCall (177) */ interface FrameSystemCall extends Enum { readonly isRemark: boolean; readonly asRemark: { @@ -3253,7 +3257,7 @@ declare module "@polkadot/types/lookup" { | "ApplyAuthorizedUpgrade"; } - /** @name PalletUtilityCall (180) */ + /** @name PalletUtilityCall (181) */ interface PalletUtilityCall extends Enum { readonly isBatch: boolean; readonly asBatch: { @@ -3291,7 +3295,7 @@ declare module "@polkadot/types/lookup" { | "WithWeight"; } - /** @name MoonbaseRuntimeOriginCaller (182) */ + /** @name MoonbaseRuntimeOriginCaller (183) */ interface MoonbaseRuntimeOriginCaller extends Enum { readonly isSystem: boolean; readonly asSystem: FrameSupportDispatchRawOrigin; @@ -3322,7 +3326,7 @@ declare module "@polkadot/types/lookup" { | "OpenTechCommitteeCollective"; } - /** @name FrameSupportDispatchRawOrigin (183) */ + /** @name FrameSupportDispatchRawOrigin (184) */ interface FrameSupportDispatchRawOrigin extends Enum { readonly isRoot: boolean; readonly isSigned: boolean; @@ -3331,14 +3335,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Root" | "Signed" | "None"; } - /** @name PalletEthereumRawOrigin (184) */ + /** @name PalletEthereumRawOrigin (185) */ interface PalletEthereumRawOrigin extends Enum { readonly isEthereumTransaction: boolean; readonly asEthereumTransaction: H160; readonly type: "EthereumTransaction"; } - /** @name CumulusPalletXcmOrigin (185) */ + /** @name CumulusPalletXcmOrigin (186) */ interface CumulusPalletXcmOrigin extends Enum { readonly isRelay: boolean; readonly isSiblingParachain: boolean; @@ -3346,7 +3350,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Relay" | "SiblingParachain"; } - /** @name PalletXcmOrigin (186) */ + /** @name PalletXcmOrigin (187) */ interface PalletXcmOrigin extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV4Location; @@ -3355,14 +3359,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Xcm" | "Response"; } - /** @name PalletEthereumXcmRawOrigin (187) */ + /** @name PalletEthereumXcmRawOrigin (188) */ interface PalletEthereumXcmRawOrigin extends Enum { readonly isXcmEthereumTransaction: boolean; readonly asXcmEthereumTransaction: H160; readonly type: "XcmEthereumTransaction"; } - /** @name PalletCollectiveRawOrigin (188) */ + /** @name PalletCollectiveRawOrigin (189) */ interface PalletCollectiveRawOrigin extends Enum { readonly isMembers: boolean; readonly asMembers: ITuple<[u32, u32]>; @@ -3372,7 +3376,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Members" | "Member" | "Phantom"; } - /** @name MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin (189) */ + /** @name MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin (190) */ interface MoonbaseRuntimeGovernanceOriginsCustomOriginsOrigin extends Enum { readonly isWhitelistedCaller: boolean; readonly isGeneralAdmin: boolean; @@ -3387,10 +3391,10 @@ declare module "@polkadot/types/lookup" { | "FastGeneralAdmin"; } - /** @name SpCoreVoid (191) */ + /** @name SpCoreVoid (192) */ type SpCoreVoid = Null; - /** @name PalletTimestampCall (192) */ + /** @name PalletTimestampCall (193) */ interface PalletTimestampCall extends Enum { readonly isSet: boolean; readonly asSet: { @@ -3399,7 +3403,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Set"; } - /** @name PalletBalancesCall (193) */ + /** @name PalletBalancesCall (194) */ interface PalletBalancesCall extends Enum { readonly isTransferAllowDeath: boolean; readonly asTransferAllowDeath: { @@ -3452,14 +3456,14 @@ declare module "@polkadot/types/lookup" { | "ForceAdjustTotalIssuance"; } - /** @name PalletBalancesAdjustmentDirection (195) */ + /** @name PalletBalancesAdjustmentDirection (196) */ interface PalletBalancesAdjustmentDirection extends Enum { readonly isIncrease: boolean; readonly isDecrease: boolean; readonly type: "Increase" | "Decrease"; } - /** @name PalletSudoCall (196) */ + /** @name PalletSudoCall (197) */ interface PalletSudoCall extends Enum { readonly isSudo: boolean; readonly asSudo: { @@ -3483,7 +3487,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Sudo" | "SudoUncheckedWeight" | "SetKey" | "SudoAs" | "RemoveKey"; } - /** @name CumulusPalletParachainSystemCall (197) */ + /** @name CumulusPalletParachainSystemCall (198) */ interface CumulusPalletParachainSystemCall extends Enum { readonly isSetValidationData: boolean; readonly asSetValidationData: { @@ -3509,7 +3513,7 @@ declare module "@polkadot/types/lookup" { | "EnactAuthorizedUpgrade"; } - /** @name CumulusPrimitivesParachainInherentParachainInherentData (198) */ + /** @name CumulusPrimitivesParachainInherentParachainInherentData (199) */ interface CumulusPrimitivesParachainInherentParachainInherentData extends Struct { readonly validationData: PolkadotPrimitivesV7PersistedValidationData; readonly relayChainState: SpTrieStorageProof; @@ -3517,7 +3521,7 @@ declare module "@polkadot/types/lookup" { readonly horizontalMessages: BTreeMap>; } - /** @name PolkadotPrimitivesV7PersistedValidationData (199) */ + /** @name PolkadotPrimitivesV7PersistedValidationData (200) */ interface PolkadotPrimitivesV7PersistedValidationData extends Struct { readonly parentHead: Bytes; readonly relayParentNumber: u32; @@ -3525,24 +3529,24 @@ declare module "@polkadot/types/lookup" { readonly maxPovSize: u32; } - /** @name SpTrieStorageProof (201) */ + /** @name SpTrieStorageProof (202) */ interface SpTrieStorageProof extends Struct { readonly trieNodes: BTreeSet; } - /** @name PolkadotCorePrimitivesInboundDownwardMessage (204) */ + /** @name PolkadotCorePrimitivesInboundDownwardMessage (205) */ interface PolkadotCorePrimitivesInboundDownwardMessage extends Struct { readonly sentAt: u32; readonly msg: Bytes; } - /** @name PolkadotCorePrimitivesInboundHrmpMessage (207) */ + /** @name PolkadotCorePrimitivesInboundHrmpMessage (208) */ interface PolkadotCorePrimitivesInboundHrmpMessage extends Struct { readonly sentAt: u32; readonly data: Bytes; } - /** @name PalletEvmCall (210) */ + /** @name PalletEvmCall (211) */ interface PalletEvmCall extends Enum { readonly isWithdraw: boolean; readonly asWithdraw: { @@ -3587,7 +3591,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Withdraw" | "Call" | "Create" | "Create2"; } - /** @name PalletEthereumCall (216) */ + /** @name PalletEthereumCall (217) */ interface PalletEthereumCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -3596,7 +3600,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Transact"; } - /** @name EthereumTransactionTransactionV2 (217) */ + /** @name EthereumTransactionTransactionV2 (218) */ interface EthereumTransactionTransactionV2 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumTransactionLegacyTransaction; @@ -3607,7 +3611,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumTransactionLegacyTransaction (218) */ + /** @name EthereumTransactionLegacyTransaction (219) */ interface EthereumTransactionLegacyTransaction extends Struct { readonly nonce: U256; readonly gasPrice: U256; @@ -3618,7 +3622,7 @@ declare module "@polkadot/types/lookup" { readonly signature: EthereumTransactionTransactionSignature; } - /** @name EthereumTransactionTransactionAction (219) */ + /** @name EthereumTransactionTransactionAction (220) */ interface EthereumTransactionTransactionAction extends Enum { readonly isCall: boolean; readonly asCall: H160; @@ -3626,14 +3630,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Call" | "Create"; } - /** @name EthereumTransactionTransactionSignature (220) */ + /** @name EthereumTransactionTransactionSignature (221) */ interface EthereumTransactionTransactionSignature extends Struct { readonly v: u64; readonly r: H256; readonly s: H256; } - /** @name EthereumTransactionEip2930Transaction (222) */ + /** @name EthereumTransactionEip2930Transaction (223) */ interface EthereumTransactionEip2930Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -3648,13 +3652,13 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name EthereumTransactionAccessListItem (224) */ + /** @name EthereumTransactionAccessListItem (225) */ interface EthereumTransactionAccessListItem extends Struct { readonly address: H160; readonly storageKeys: Vec; } - /** @name EthereumTransactionEip1559Transaction (225) */ + /** @name EthereumTransactionEip1559Transaction (226) */ interface EthereumTransactionEip1559Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -3670,7 +3674,7 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name PalletParachainStakingCall (226) */ + /** @name PalletParachainStakingCall (227) */ interface PalletParachainStakingCall extends Enum { readonly isSetStakingExpectations: boolean; readonly asSetStakingExpectations: { @@ -3810,7 +3814,7 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly isSetInflationDistributionConfig: boolean; readonly asSetInflationDistributionConfig: { - readonly new_: Vec; + readonly new_: PalletParachainStakingInflationDistributionConfig; } & Struct; readonly type: | "SetStakingExpectations" @@ -3848,7 +3852,7 @@ declare module "@polkadot/types/lookup" { | "SetInflationDistributionConfig"; } - /** @name PalletSchedulerCall (229) */ + /** @name PalletSchedulerCall (230) */ interface PalletSchedulerCall extends Enum { readonly isSchedule: boolean; readonly asSchedule: { @@ -3922,7 +3926,7 @@ declare module "@polkadot/types/lookup" { | "CancelRetryNamed"; } - /** @name PalletTreasuryCall (231) */ + /** @name PalletTreasuryCall (232) */ interface PalletTreasuryCall extends Enum { readonly isProposeSpend: boolean; readonly asProposeSpend: { @@ -3977,13 +3981,13 @@ declare module "@polkadot/types/lookup" { | "VoidSpend"; } - /** @name PalletAuthorInherentCall (233) */ + /** @name PalletAuthorInherentCall (234) */ interface PalletAuthorInherentCall extends Enum { readonly isKickOffAuthorshipValidation: boolean; readonly type: "KickOffAuthorshipValidation"; } - /** @name PalletAuthorSlotFilterCall (234) */ + /** @name PalletAuthorSlotFilterCall (235) */ interface PalletAuthorSlotFilterCall extends Enum { readonly isSetEligible: boolean; readonly asSetEligible: { @@ -3992,7 +3996,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetEligible"; } - /** @name PalletCrowdloanRewardsCall (235) */ + /** @name PalletCrowdloanRewardsCall (236) */ interface PalletCrowdloanRewardsCall extends Enum { readonly isAssociateNativeIdentity: boolean; readonly asAssociateNativeIdentity: { @@ -4028,7 +4032,7 @@ declare module "@polkadot/types/lookup" { | "InitializeRewardVec"; } - /** @name SpRuntimeMultiSignature (236) */ + /** @name SpRuntimeMultiSignature (237) */ interface SpRuntimeMultiSignature extends Enum { readonly isEd25519: boolean; readonly asEd25519: U8aFixed; @@ -4039,7 +4043,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ed25519" | "Sr25519" | "Ecdsa"; } - /** @name PalletAuthorMappingCall (243) */ + /** @name PalletAuthorMappingCall (244) */ interface PalletAuthorMappingCall extends Enum { readonly isAddAssociation: boolean; readonly asAddAssociation: { @@ -4067,7 +4071,7 @@ declare module "@polkadot/types/lookup" { | "SetKeys"; } - /** @name PalletProxyCall (244) */ + /** @name PalletProxyCall (245) */ interface PalletProxyCall extends Enum { readonly isProxy: boolean; readonly asProxy: { @@ -4137,14 +4141,14 @@ declare module "@polkadot/types/lookup" { | "ProxyAnnounced"; } - /** @name PalletMaintenanceModeCall (246) */ + /** @name PalletMaintenanceModeCall (247) */ interface PalletMaintenanceModeCall extends Enum { readonly isEnterMaintenanceMode: boolean; readonly isResumeNormalOperation: boolean; readonly type: "EnterMaintenanceMode" | "ResumeNormalOperation"; } - /** @name PalletIdentityCall (247) */ + /** @name PalletIdentityCall (248) */ interface PalletIdentityCall extends Enum { readonly isAddRegistrar: boolean; readonly asAddRegistrar: { @@ -4266,7 +4270,7 @@ declare module "@polkadot/types/lookup" { | "RemoveDanglingUsername"; } - /** @name PalletIdentityLegacyIdentityInfo (248) */ + /** @name PalletIdentityLegacyIdentityInfo (249) */ interface PalletIdentityLegacyIdentityInfo extends Struct { readonly additional: Vec>; readonly display: Data; @@ -4279,7 +4283,7 @@ declare module "@polkadot/types/lookup" { readonly twitter: Data; } - /** @name PalletIdentityJudgement (284) */ + /** @name PalletIdentityJudgement (285) */ interface PalletIdentityJudgement extends Enum { readonly isUnknown: boolean; readonly isFeePaid: boolean; @@ -4299,10 +4303,10 @@ declare module "@polkadot/types/lookup" { | "Erroneous"; } - /** @name AccountEthereumSignature (286) */ + /** @name AccountEthereumSignature (287) */ interface AccountEthereumSignature extends U8aFixed {} - /** @name CumulusPalletXcmpQueueCall (287) */ + /** @name CumulusPalletXcmpQueueCall (288) */ interface CumulusPalletXcmpQueueCall extends Enum { readonly isSuspendXcmExecution: boolean; readonly isResumeXcmExecution: boolean; @@ -4326,10 +4330,10 @@ declare module "@polkadot/types/lookup" { | "UpdateResumeThreshold"; } - /** @name CumulusPalletDmpQueueCall (288) */ + /** @name CumulusPalletDmpQueueCall (289) */ type CumulusPalletDmpQueueCall = Null; - /** @name PalletXcmCall (289) */ + /** @name PalletXcmCall (290) */ interface PalletXcmCall extends Enum { readonly isSend: boolean; readonly asSend: { @@ -4432,7 +4436,7 @@ declare module "@polkadot/types/lookup" { | "TransferAssetsUsingTypeAndThen"; } - /** @name XcmVersionedXcm (290) */ + /** @name XcmVersionedXcm (291) */ interface XcmVersionedXcm extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Xcm; @@ -4443,10 +4447,10 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2Xcm (291) */ + /** @name XcmV2Xcm (292) */ interface XcmV2Xcm extends Vec {} - /** @name XcmV2Instruction (293) */ + /** @name XcmV2Instruction (294) */ interface XcmV2Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV2MultiassetMultiAssets; @@ -4594,7 +4598,7 @@ declare module "@polkadot/types/lookup" { | "UnsubscribeVersion"; } - /** @name XcmV2Response (294) */ + /** @name XcmV2Response (295) */ interface XcmV2Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4606,7 +4610,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Null" | "Assets" | "ExecutionResult" | "Version"; } - /** @name XcmV2TraitsError (297) */ + /** @name XcmV2TraitsError (298) */ interface XcmV2TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -4665,7 +4669,7 @@ declare module "@polkadot/types/lookup" { | "WeightNotComputable"; } - /** @name XcmV2MultiassetMultiAssetFilter (298) */ + /** @name XcmV2MultiassetMultiAssetFilter (299) */ interface XcmV2MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV2MultiassetMultiAssets; @@ -4674,7 +4678,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV2MultiassetWildMultiAsset (299) */ + /** @name XcmV2MultiassetWildMultiAsset (300) */ interface XcmV2MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4685,14 +4689,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf"; } - /** @name XcmV2MultiassetWildFungibility (300) */ + /** @name XcmV2MultiassetWildFungibility (301) */ interface XcmV2MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2WeightLimit (301) */ + /** @name XcmV2WeightLimit (302) */ interface XcmV2WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -4700,10 +4704,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmV3Xcm (302) */ + /** @name XcmV3Xcm (303) */ interface XcmV3Xcm extends Vec {} - /** @name XcmV3Instruction (304) */ + /** @name XcmV3Instruction (305) */ interface XcmV3Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV3MultiassetMultiAssets; @@ -4933,7 +4937,7 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name XcmV3Response (305) */ + /** @name XcmV3Response (306) */ interface XcmV3Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4955,7 +4959,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name XcmV3PalletInfo (307) */ + /** @name XcmV3PalletInfo (308) */ interface XcmV3PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4965,14 +4969,14 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3QueryResponseInfo (311) */ + /** @name XcmV3QueryResponseInfo (312) */ interface XcmV3QueryResponseInfo extends Struct { readonly destination: StagingXcmV3MultiLocation; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name XcmV3MultiassetMultiAssetFilter (312) */ + /** @name XcmV3MultiassetMultiAssetFilter (313) */ interface XcmV3MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV3MultiassetMultiAssets; @@ -4981,7 +4985,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV3MultiassetWildMultiAsset (313) */ + /** @name XcmV3MultiassetWildMultiAsset (314) */ interface XcmV3MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -5000,14 +5004,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name XcmV3MultiassetWildFungibility (314) */ + /** @name XcmV3MultiassetWildFungibility (315) */ interface XcmV3MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmExecutorAssetTransferTransferType (326) */ + /** @name StagingXcmExecutorAssetTransferTransferType (327) */ interface StagingXcmExecutorAssetTransferTransferType extends Enum { readonly isTeleport: boolean; readonly isLocalReserve: boolean; @@ -5017,7 +5021,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Teleport" | "LocalReserve" | "DestinationReserve" | "RemoteReserve"; } - /** @name XcmVersionedAssetId (327) */ + /** @name XcmVersionedAssetId (328) */ interface XcmVersionedAssetId extends Enum { readonly isV3: boolean; readonly asV3: XcmV3MultiassetAssetId; @@ -5026,7 +5030,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V3" | "V4"; } - /** @name PalletAssetsCall (328) */ + /** @name PalletAssetsCall (329) */ interface PalletAssetsCall extends Enum { readonly isCreate: boolean; readonly asCreate: { @@ -5240,7 +5244,7 @@ declare module "@polkadot/types/lookup" { | "Block"; } - /** @name OrmlXtokensModuleCall (329) */ + /** @name OrmlXtokensModuleCall (330) */ interface OrmlXtokensModuleCall extends Enum { readonly isTransfer: boolean; readonly asTransfer: { @@ -5293,7 +5297,7 @@ declare module "@polkadot/types/lookup" { | "TransferMultiassets"; } - /** @name MoonbaseRuntimeXcmConfigCurrencyId (330) */ + /** @name MoonbaseRuntimeXcmConfigCurrencyId (331) */ interface MoonbaseRuntimeXcmConfigCurrencyId extends Enum { readonly isSelfReserve: boolean; readonly isForeignAsset: boolean; @@ -5305,7 +5309,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SelfReserve" | "ForeignAsset" | "Erc20"; } - /** @name XcmVersionedAsset (331) */ + /** @name XcmVersionedAsset (332) */ interface XcmVersionedAsset extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiAsset; @@ -5316,7 +5320,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletAssetManagerCall (334) */ + /** @name PalletAssetManagerCall (335) */ interface PalletAssetManagerCall extends Enum { readonly isRegisterForeignAsset: boolean; readonly asRegisterForeignAsset: { @@ -5348,7 +5352,7 @@ declare module "@polkadot/types/lookup" { | "DestroyForeignAsset"; } - /** @name PalletXcmTransactorCall (335) */ + /** @name PalletXcmTransactorCall (336) */ interface PalletXcmTransactorCall extends Enum { readonly isRegister: boolean; readonly asRegister: { @@ -5425,19 +5429,19 @@ declare module "@polkadot/types/lookup" { | "HrmpManage"; } - /** @name MoonbaseRuntimeXcmConfigTransactors (336) */ + /** @name MoonbaseRuntimeXcmConfigTransactors (337) */ interface MoonbaseRuntimeXcmConfigTransactors extends Enum { readonly isRelay: boolean; readonly type: "Relay"; } - /** @name PalletXcmTransactorCurrencyPayment (337) */ + /** @name PalletXcmTransactorCurrencyPayment (338) */ interface PalletXcmTransactorCurrencyPayment extends Struct { readonly currency: PalletXcmTransactorCurrency; readonly feeAmount: Option; } - /** @name PalletXcmTransactorCurrency (338) */ + /** @name PalletXcmTransactorCurrency (339) */ interface PalletXcmTransactorCurrency extends Enum { readonly isAsCurrencyId: boolean; readonly asAsCurrencyId: MoonbaseRuntimeXcmConfigCurrencyId; @@ -5446,13 +5450,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsCurrencyId" | "AsMultiLocation"; } - /** @name PalletXcmTransactorTransactWeights (340) */ + /** @name PalletXcmTransactorTransactWeights (341) */ interface PalletXcmTransactorTransactWeights extends Struct { readonly transactRequiredWeightAtMost: SpWeightsWeightV2Weight; readonly overallWeight: Option; } - /** @name PalletMoonbeamOrbitersCall (342) */ + /** @name PalletMoonbeamOrbitersCall (343) */ interface PalletMoonbeamOrbitersCall extends Enum { readonly isCollatorAddOrbiter: boolean; readonly asCollatorAddOrbiter: { @@ -5489,7 +5493,7 @@ declare module "@polkadot/types/lookup" { | "RemoveCollator"; } - /** @name PalletEthereumXcmCall (343) */ + /** @name PalletEthereumXcmCall (344) */ interface PalletEthereumXcmCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -5516,7 +5520,7 @@ declare module "@polkadot/types/lookup" { | "ForceTransactAs"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (344) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (345) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransaction extends Enum { readonly isV1: boolean; readonly asV1: XcmPrimitivesEthereumXcmEthereumXcmTransactionV1; @@ -5525,7 +5529,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V1" | "V2"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (345) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (346) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 extends Struct { readonly gasLimit: U256; readonly feePayment: XcmPrimitivesEthereumXcmEthereumXcmFee; @@ -5535,7 +5539,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (346) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (347) */ interface XcmPrimitivesEthereumXcmEthereumXcmFee extends Enum { readonly isManual: boolean; readonly asManual: XcmPrimitivesEthereumXcmManualEthereumXcmFee; @@ -5543,13 +5547,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Manual" | "Auto"; } - /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (347) */ + /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (348) */ interface XcmPrimitivesEthereumXcmManualEthereumXcmFee extends Struct { readonly gasPrice: Option; readonly maxFeePerGas: Option; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (350) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (351) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 extends Struct { readonly gasLimit: U256; readonly action: EthereumTransactionTransactionAction; @@ -5558,13 +5562,13 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name PalletRandomnessCall (352) */ + /** @name PalletRandomnessCall (353) */ interface PalletRandomnessCall extends Enum { readonly isSetBabeRandomnessResults: boolean; readonly type: "SetBabeRandomnessResults"; } - /** @name PalletCollectiveCall (353) */ + /** @name PalletCollectiveCall (354) */ interface PalletCollectiveCall extends Enum { readonly isSetMembers: boolean; readonly asSetMembers: { @@ -5603,7 +5607,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetMembers" | "Execute" | "Propose" | "Vote" | "DisapproveProposal" | "Close"; } - /** @name PalletConvictionVotingCall (354) */ + /** @name PalletConvictionVotingCall (355) */ interface PalletConvictionVotingCall extends Enum { readonly isVote: boolean; readonly asVote: { @@ -5640,7 +5644,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Vote" | "Delegate" | "Undelegate" | "Unlock" | "RemoveVote" | "RemoveOtherVote"; } - /** @name PalletConvictionVotingVoteAccountVote (355) */ + /** @name PalletConvictionVotingVoteAccountVote (356) */ interface PalletConvictionVotingVoteAccountVote extends Enum { readonly isStandard: boolean; readonly asStandard: { @@ -5661,7 +5665,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Standard" | "Split" | "SplitAbstain"; } - /** @name PalletConvictionVotingConviction (357) */ + /** @name PalletConvictionVotingConviction (358) */ interface PalletConvictionVotingConviction extends Enum { readonly isNone: boolean; readonly isLocked1x: boolean; @@ -5680,7 +5684,7 @@ declare module "@polkadot/types/lookup" { | "Locked6x"; } - /** @name PalletReferendaCall (359) */ + /** @name PalletReferendaCall (360) */ interface PalletReferendaCall extends Enum { readonly isSubmit: boolean; readonly asSubmit: { @@ -5733,7 +5737,7 @@ declare module "@polkadot/types/lookup" { | "SetMetadata"; } - /** @name FrameSupportScheduleDispatchTime (360) */ + /** @name FrameSupportScheduleDispatchTime (361) */ interface FrameSupportScheduleDispatchTime extends Enum { readonly isAt: boolean; readonly asAt: u32; @@ -5742,7 +5746,7 @@ declare module "@polkadot/types/lookup" { readonly type: "At" | "After"; } - /** @name PalletPreimageCall (362) */ + /** @name PalletPreimageCall (363) */ interface PalletPreimageCall extends Enum { readonly isNotePreimage: boolean; readonly asNotePreimage: { @@ -5772,7 +5776,7 @@ declare module "@polkadot/types/lookup" { | "EnsureUpdated"; } - /** @name PalletWhitelistCall (363) */ + /** @name PalletWhitelistCall (364) */ interface PalletWhitelistCall extends Enum { readonly isWhitelistCall: boolean; readonly asWhitelistCall: { @@ -5799,7 +5803,7 @@ declare module "@polkadot/types/lookup" { | "DispatchWhitelistedCallWithPreimage"; } - /** @name PalletRootTestingCall (365) */ + /** @name PalletRootTestingCall (366) */ interface PalletRootTestingCall extends Enum { readonly isFillBlock: boolean; readonly asFillBlock: { @@ -5809,7 +5813,7 @@ declare module "@polkadot/types/lookup" { readonly type: "FillBlock" | "TriggerDefensive"; } - /** @name PalletMultisigCall (366) */ + /** @name PalletMultisigCall (367) */ interface PalletMultisigCall extends Enum { readonly isAsMultiThreshold1: boolean; readonly asAsMultiThreshold1: { @@ -5842,13 +5846,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsMultiThreshold1" | "AsMulti" | "ApproveAsMulti" | "CancelAsMulti"; } - /** @name PalletMultisigTimepoint (368) */ + /** @name PalletMultisigTimepoint (369) */ interface PalletMultisigTimepoint extends Struct { readonly height: u32; readonly index: u32; } - /** @name PalletMoonbeamLazyMigrationsCall (369) */ + /** @name PalletMoonbeamLazyMigrationsCall (370) */ interface PalletMoonbeamLazyMigrationsCall extends Enum { readonly isClearSuicidedStorage: boolean; readonly asClearSuicidedStorage: { @@ -5862,7 +5866,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ClearSuicidedStorage" | "CreateContractMetadata"; } - /** @name PalletMessageQueueCall (372) */ + /** @name PalletMessageQueueCall (373) */ interface PalletMessageQueueCall extends Enum { readonly isReapPage: boolean; readonly asReapPage: { @@ -5879,7 +5883,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ReapPage" | "ExecuteOverweight"; } - /** @name CumulusPrimitivesCoreAggregateMessageOrigin (373) */ + /** @name CumulusPrimitivesCoreAggregateMessageOrigin (374) */ interface CumulusPrimitivesCoreAggregateMessageOrigin extends Enum { readonly isHere: boolean; readonly isParent: boolean; @@ -5888,7 +5892,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "Parent" | "Sibling"; } - /** @name PalletEmergencyParaXcmCall (374) */ + /** @name PalletEmergencyParaXcmCall (375) */ interface PalletEmergencyParaXcmCall extends Enum { readonly isPausedToNormal: boolean; readonly isFastAuthorizeUpgrade: boolean; @@ -5898,7 +5902,7 @@ declare module "@polkadot/types/lookup" { readonly type: "PausedToNormal" | "FastAuthorizeUpgrade"; } - /** @name PalletMoonbeamForeignAssetsCall (375) */ + /** @name PalletMoonbeamForeignAssetsCall (376) */ interface PalletMoonbeamForeignAssetsCall extends Enum { readonly isCreateForeignAsset: boolean; readonly asCreateForeignAsset: { @@ -5929,7 +5933,7 @@ declare module "@polkadot/types/lookup" { | "UnfreezeForeignAsset"; } - /** @name PalletParametersCall (377) */ + /** @name PalletParametersCall (378) */ interface PalletParametersCall extends Enum { readonly isSetParameter: boolean; readonly asSetParameter: { @@ -5938,14 +5942,14 @@ declare module "@polkadot/types/lookup" { readonly type: "SetParameter"; } - /** @name MoonbaseRuntimeRuntimeParamsRuntimeParameters (378) */ + /** @name MoonbaseRuntimeRuntimeParamsRuntimeParameters (379) */ interface MoonbaseRuntimeRuntimeParamsRuntimeParameters extends Enum { readonly isRuntimeConfig: boolean; readonly asRuntimeConfig: MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters; readonly type: "RuntimeConfig"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters (379) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters (380) */ interface MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParameters extends Enum { readonly isFeesTreasuryProportion: boolean; readonly asFeesTreasuryProportion: ITuple< @@ -5957,10 +5961,10 @@ declare module "@polkadot/types/lookup" { readonly type: "FeesTreasuryProportion"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion (380) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion (381) */ type MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigFeesTreasuryProportion = Null; - /** @name PalletXcmWeightTraderCall (382) */ + /** @name PalletXcmWeightTraderCall (383) */ interface PalletXcmWeightTraderCall extends Enum { readonly isAddAsset: boolean; readonly asAddAsset: { @@ -5992,17 +5996,17 @@ declare module "@polkadot/types/lookup" { | "RemoveAsset"; } - /** @name SpRuntimeBlakeTwo256 (383) */ + /** @name SpRuntimeBlakeTwo256 (384) */ type SpRuntimeBlakeTwo256 = Null; - /** @name PalletConvictionVotingTally (385) */ + /** @name PalletConvictionVotingTally (386) */ interface PalletConvictionVotingTally extends Struct { readonly ayes: u128; readonly nays: u128; readonly support: u128; } - /** @name PalletPreimageEvent (386) */ + /** @name PalletPreimageEvent (387) */ interface PalletPreimageEvent extends Enum { readonly isNoted: boolean; readonly asNoted: { @@ -6019,7 +6023,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Noted" | "Requested" | "Cleared"; } - /** @name PalletWhitelistEvent (387) */ + /** @name PalletWhitelistEvent (388) */ interface PalletWhitelistEvent extends Enum { readonly isCallWhitelisted: boolean; readonly asCallWhitelisted: { @@ -6040,25 +6044,25 @@ declare module "@polkadot/types/lookup" { readonly type: "CallWhitelisted" | "WhitelistedCallRemoved" | "WhitelistedCallDispatched"; } - /** @name FrameSupportDispatchPostDispatchInfo (389) */ + /** @name FrameSupportDispatchPostDispatchInfo (390) */ interface FrameSupportDispatchPostDispatchInfo extends Struct { readonly actualWeight: Option; readonly paysFee: FrameSupportDispatchPays; } - /** @name SpRuntimeDispatchErrorWithPostInfo (390) */ + /** @name SpRuntimeDispatchErrorWithPostInfo (391) */ interface SpRuntimeDispatchErrorWithPostInfo extends Struct { readonly postInfo: FrameSupportDispatchPostDispatchInfo; readonly error: SpRuntimeDispatchError; } - /** @name PalletRootTestingEvent (392) */ + /** @name PalletRootTestingEvent (393) */ interface PalletRootTestingEvent extends Enum { readonly isDefensiveTestCall: boolean; readonly type: "DefensiveTestCall"; } - /** @name PalletMultisigEvent (393) */ + /** @name PalletMultisigEvent (394) */ interface PalletMultisigEvent extends Enum { readonly isNewMultisig: boolean; readonly asNewMultisig: { @@ -6091,7 +6095,7 @@ declare module "@polkadot/types/lookup" { readonly type: "NewMultisig" | "MultisigApproval" | "MultisigExecuted" | "MultisigCancelled"; } - /** @name PalletMessageQueueEvent (394) */ + /** @name PalletMessageQueueEvent (395) */ interface PalletMessageQueueEvent extends Enum { readonly isProcessingFailed: boolean; readonly asProcessingFailed: { @@ -6121,7 +6125,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProcessingFailed" | "Processed" | "OverweightEnqueued" | "PageReaped"; } - /** @name FrameSupportMessagesProcessMessageError (395) */ + /** @name FrameSupportMessagesProcessMessageError (396) */ interface FrameSupportMessagesProcessMessageError extends Enum { readonly isBadFormat: boolean; readonly isCorrupt: boolean; @@ -6132,14 +6136,14 @@ declare module "@polkadot/types/lookup" { readonly type: "BadFormat" | "Corrupt" | "Unsupported" | "Overweight" | "Yield"; } - /** @name PalletEmergencyParaXcmEvent (396) */ + /** @name PalletEmergencyParaXcmEvent (397) */ interface PalletEmergencyParaXcmEvent extends Enum { readonly isEnteredPausedXcmMode: boolean; readonly isNormalXcmOperationResumed: boolean; readonly type: "EnteredPausedXcmMode" | "NormalXcmOperationResumed"; } - /** @name PalletMoonbeamForeignAssetsEvent (397) */ + /** @name PalletMoonbeamForeignAssetsEvent (398) */ interface PalletMoonbeamForeignAssetsEvent extends Enum { readonly isForeignAssetCreated: boolean; readonly asForeignAssetCreated: { @@ -6169,7 +6173,7 @@ declare module "@polkadot/types/lookup" { | "ForeignAssetUnfrozen"; } - /** @name PalletParametersEvent (398) */ + /** @name PalletParametersEvent (399) */ interface PalletParametersEvent extends Enum { readonly isUpdated: boolean; readonly asUpdated: { @@ -6180,34 +6184,34 @@ declare module "@polkadot/types/lookup" { readonly type: "Updated"; } - /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersKey (399) */ + /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersKey (400) */ interface MoonbaseRuntimeRuntimeParamsRuntimeParametersKey extends Enum { readonly isRuntimeConfig: boolean; readonly asRuntimeConfig: MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey; readonly type: "RuntimeConfig"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey (400) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey (401) */ interface MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersKey extends Enum { readonly isFeesTreasuryProportion: boolean; readonly type: "FeesTreasuryProportion"; } - /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersValue (402) */ + /** @name MoonbaseRuntimeRuntimeParamsRuntimeParametersValue (403) */ interface MoonbaseRuntimeRuntimeParamsRuntimeParametersValue extends Enum { readonly isRuntimeConfig: boolean; readonly asRuntimeConfig: MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue; readonly type: "RuntimeConfig"; } - /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue (403) */ + /** @name MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue (404) */ interface MoonbaseRuntimeRuntimeParamsDynamicParamsRuntimeConfigParametersValue extends Enum { readonly isFeesTreasuryProportion: boolean; readonly asFeesTreasuryProportion: Perbill; readonly type: "FeesTreasuryProportion"; } - /** @name PalletXcmWeightTraderEvent (404) */ + /** @name PalletXcmWeightTraderEvent (405) */ interface PalletXcmWeightTraderEvent extends Enum { readonly isSupportedAssetAdded: boolean; readonly asSupportedAssetAdded: { @@ -6239,7 +6243,7 @@ declare module "@polkadot/types/lookup" { | "SupportedAssetRemoved"; } - /** @name FrameSystemPhase (405) */ + /** @name FrameSystemPhase (406) */ interface FrameSystemPhase extends Enum { readonly isApplyExtrinsic: boolean; readonly asApplyExtrinsic: u32; @@ -6248,33 +6252,33 @@ declare module "@polkadot/types/lookup" { readonly type: "ApplyExtrinsic" | "Finalization" | "Initialization"; } - /** @name FrameSystemLastRuntimeUpgradeInfo (407) */ + /** @name FrameSystemLastRuntimeUpgradeInfo (408) */ interface FrameSystemLastRuntimeUpgradeInfo extends Struct { readonly specVersion: Compact; readonly specName: Text; } - /** @name FrameSystemCodeUpgradeAuthorization (408) */ + /** @name FrameSystemCodeUpgradeAuthorization (409) */ interface FrameSystemCodeUpgradeAuthorization extends Struct { readonly codeHash: H256; readonly checkVersion: bool; } - /** @name FrameSystemLimitsBlockWeights (409) */ + /** @name FrameSystemLimitsBlockWeights (410) */ interface FrameSystemLimitsBlockWeights extends Struct { readonly baseBlock: SpWeightsWeightV2Weight; readonly maxBlock: SpWeightsWeightV2Weight; readonly perClass: FrameSupportDispatchPerDispatchClassWeightsPerClass; } - /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (410) */ + /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (411) */ interface FrameSupportDispatchPerDispatchClassWeightsPerClass extends Struct { readonly normal: FrameSystemLimitsWeightsPerClass; readonly operational: FrameSystemLimitsWeightsPerClass; readonly mandatory: FrameSystemLimitsWeightsPerClass; } - /** @name FrameSystemLimitsWeightsPerClass (411) */ + /** @name FrameSystemLimitsWeightsPerClass (412) */ interface FrameSystemLimitsWeightsPerClass extends Struct { readonly baseExtrinsic: SpWeightsWeightV2Weight; readonly maxExtrinsic: Option; @@ -6282,25 +6286,25 @@ declare module "@polkadot/types/lookup" { readonly reserved: Option; } - /** @name FrameSystemLimitsBlockLength (412) */ + /** @name FrameSystemLimitsBlockLength (413) */ interface FrameSystemLimitsBlockLength extends Struct { readonly max: FrameSupportDispatchPerDispatchClassU32; } - /** @name FrameSupportDispatchPerDispatchClassU32 (413) */ + /** @name FrameSupportDispatchPerDispatchClassU32 (414) */ interface FrameSupportDispatchPerDispatchClassU32 extends Struct { readonly normal: u32; readonly operational: u32; readonly mandatory: u32; } - /** @name SpWeightsRuntimeDbWeight (414) */ + /** @name SpWeightsRuntimeDbWeight (415) */ interface SpWeightsRuntimeDbWeight extends Struct { readonly read: u64; readonly write: u64; } - /** @name SpVersionRuntimeVersion (415) */ + /** @name SpVersionRuntimeVersion (416) */ interface SpVersionRuntimeVersion extends Struct { readonly specName: Text; readonly implName: Text; @@ -6312,7 +6316,7 @@ declare module "@polkadot/types/lookup" { readonly stateVersion: u8; } - /** @name FrameSystemError (419) */ + /** @name FrameSystemError (420) */ interface FrameSystemError extends Enum { readonly isInvalidSpecName: boolean; readonly isSpecVersionNeedsToIncrease: boolean; @@ -6335,20 +6339,20 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletUtilityError (420) */ + /** @name PalletUtilityError (421) */ interface PalletUtilityError extends Enum { readonly isTooManyCalls: boolean; readonly type: "TooManyCalls"; } - /** @name PalletBalancesBalanceLock (422) */ + /** @name PalletBalancesBalanceLock (423) */ interface PalletBalancesBalanceLock extends Struct { readonly id: U8aFixed; readonly amount: u128; readonly reasons: PalletBalancesReasons; } - /** @name PalletBalancesReasons (423) */ + /** @name PalletBalancesReasons (424) */ interface PalletBalancesReasons extends Enum { readonly isFee: boolean; readonly isMisc: boolean; @@ -6356,32 +6360,32 @@ declare module "@polkadot/types/lookup" { readonly type: "Fee" | "Misc" | "All"; } - /** @name PalletBalancesReserveData (426) */ + /** @name PalletBalancesReserveData (427) */ interface PalletBalancesReserveData extends Struct { readonly id: U8aFixed; readonly amount: u128; } - /** @name MoonbaseRuntimeRuntimeHoldReason (430) */ + /** @name MoonbaseRuntimeRuntimeHoldReason (431) */ interface MoonbaseRuntimeRuntimeHoldReason extends Enum { readonly isPreimage: boolean; readonly asPreimage: PalletPreimageHoldReason; readonly type: "Preimage"; } - /** @name PalletPreimageHoldReason (431) */ + /** @name PalletPreimageHoldReason (432) */ interface PalletPreimageHoldReason extends Enum { readonly isPreimage: boolean; readonly type: "Preimage"; } - /** @name PalletBalancesIdAmount (434) */ + /** @name PalletBalancesIdAmount (435) */ interface PalletBalancesIdAmount extends Struct { readonly id: Null; readonly amount: u128; } - /** @name PalletBalancesError (436) */ + /** @name PalletBalancesError (437) */ interface PalletBalancesError extends Enum { readonly isVestingBalance: boolean; readonly isLiquidityRestrictions: boolean; @@ -6410,20 +6414,20 @@ declare module "@polkadot/types/lookup" { | "DeltaZero"; } - /** @name PalletSudoError (437) */ + /** @name PalletSudoError (438) */ interface PalletSudoError extends Enum { readonly isRequireSudo: boolean; readonly type: "RequireSudo"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (439) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (440) */ interface CumulusPalletParachainSystemUnincludedSegmentAncestor extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly paraHeadHash: Option; readonly consumedGoAheadSignal: Option; } - /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (440) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (441) */ interface CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth extends Struct { readonly umpMsgCount: u32; readonly umpTotalBytes: u32; @@ -6433,33 +6437,33 @@ declare module "@polkadot/types/lookup" { >; } - /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (442) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (443) */ interface CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate extends Struct { readonly msgCount: u32; readonly totalBytes: u32; } - /** @name PolkadotPrimitivesV7UpgradeGoAhead (446) */ + /** @name PolkadotPrimitivesV7UpgradeGoAhead (447) */ interface PolkadotPrimitivesV7UpgradeGoAhead extends Enum { readonly isAbort: boolean; readonly isGoAhead: boolean; readonly type: "Abort" | "GoAhead"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (447) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (448) */ interface CumulusPalletParachainSystemUnincludedSegmentSegmentTracker extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly hrmpWatermark: Option; readonly consumedGoAheadSignal: Option; } - /** @name PolkadotPrimitivesV7UpgradeRestriction (449) */ + /** @name PolkadotPrimitivesV7UpgradeRestriction (450) */ interface PolkadotPrimitivesV7UpgradeRestriction extends Enum { readonly isPresent: boolean; readonly type: "Present"; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (450) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (451) */ interface CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot extends Struct { readonly dmqMqcHead: H256; readonly relayDispatchQueueRemainingCapacity: CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity; @@ -6467,14 +6471,14 @@ declare module "@polkadot/types/lookup" { readonly egressChannels: Vec>; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (451) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (452) */ interface CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity extends Struct { readonly remainingCount: u32; readonly remainingSize: u32; } - /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (454) */ + /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (455) */ interface PolkadotPrimitivesV7AbridgedHrmpChannel extends Struct { readonly maxCapacity: u32; readonly maxTotalSize: u32; @@ -6484,7 +6488,7 @@ declare module "@polkadot/types/lookup" { readonly mqcHead: Option; } - /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (455) */ + /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (456) */ interface PolkadotPrimitivesV7AbridgedHostConfiguration extends Struct { readonly maxCodeSize: u32; readonly maxHeadDataSize: u32; @@ -6498,19 +6502,19 @@ declare module "@polkadot/types/lookup" { readonly asyncBackingParams: PolkadotPrimitivesV7AsyncBackingAsyncBackingParams; } - /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (456) */ + /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (457) */ interface PolkadotPrimitivesV7AsyncBackingAsyncBackingParams extends Struct { readonly maxCandidateDepth: u32; readonly allowedAncestryLen: u32; } - /** @name PolkadotCorePrimitivesOutboundHrmpMessage (462) */ + /** @name PolkadotCorePrimitivesOutboundHrmpMessage (463) */ interface PolkadotCorePrimitivesOutboundHrmpMessage extends Struct { readonly recipient: u32; readonly data: Bytes; } - /** @name CumulusPalletParachainSystemError (464) */ + /** @name CumulusPalletParachainSystemError (465) */ interface CumulusPalletParachainSystemError extends Enum { readonly isOverlappingUpgrades: boolean; readonly isProhibitedByPolkadot: boolean; @@ -6531,20 +6535,20 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletTransactionPaymentReleases (465) */ + /** @name PalletTransactionPaymentReleases (466) */ interface PalletTransactionPaymentReleases extends Enum { readonly isV1Ancient: boolean; readonly isV2: boolean; readonly type: "V1Ancient" | "V2"; } - /** @name PalletEvmCodeMetadata (466) */ + /** @name PalletEvmCodeMetadata (467) */ interface PalletEvmCodeMetadata extends Struct { readonly size_: u64; readonly hash_: H256; } - /** @name PalletEvmError (468) */ + /** @name PalletEvmError (469) */ interface PalletEvmError extends Enum { readonly isBalanceLow: boolean; readonly isFeeOverflow: boolean; @@ -6575,7 +6579,7 @@ declare module "@polkadot/types/lookup" { | "Undefined"; } - /** @name FpRpcTransactionStatus (471) */ + /** @name FpRpcTransactionStatus (472) */ interface FpRpcTransactionStatus extends Struct { readonly transactionHash: H256; readonly transactionIndex: u32; @@ -6586,10 +6590,10 @@ declare module "@polkadot/types/lookup" { readonly logsBloom: EthbloomBloom; } - /** @name EthbloomBloom (473) */ + /** @name EthbloomBloom (474) */ interface EthbloomBloom extends U8aFixed {} - /** @name EthereumReceiptReceiptV3 (475) */ + /** @name EthereumReceiptReceiptV3 (476) */ interface EthereumReceiptReceiptV3 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumReceiptEip658ReceiptData; @@ -6600,7 +6604,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumReceiptEip658ReceiptData (476) */ + /** @name EthereumReceiptEip658ReceiptData (477) */ interface EthereumReceiptEip658ReceiptData extends Struct { readonly statusCode: u8; readonly usedGas: U256; @@ -6608,14 +6612,14 @@ declare module "@polkadot/types/lookup" { readonly logs: Vec; } - /** @name EthereumBlock (477) */ + /** @name EthereumBlock (478) */ interface EthereumBlock extends Struct { readonly header: EthereumHeader; readonly transactions: Vec; readonly ommers: Vec; } - /** @name EthereumHeader (478) */ + /** @name EthereumHeader (479) */ interface EthereumHeader extends Struct { readonly parentHash: H256; readonly ommersHash: H256; @@ -6634,17 +6638,17 @@ declare module "@polkadot/types/lookup" { readonly nonce: EthereumTypesHashH64; } - /** @name EthereumTypesHashH64 (479) */ + /** @name EthereumTypesHashH64 (480) */ interface EthereumTypesHashH64 extends U8aFixed {} - /** @name PalletEthereumError (484) */ + /** @name PalletEthereumError (485) */ interface PalletEthereumError extends Enum { readonly isInvalidSignature: boolean; readonly isPreLogExists: boolean; readonly type: "InvalidSignature" | "PreLogExists"; } - /** @name PalletParachainStakingRoundInfo (485) */ + /** @name PalletParachainStakingRoundInfo (486) */ interface PalletParachainStakingRoundInfo extends Struct { readonly current: u32; readonly first: u32; @@ -6652,7 +6656,7 @@ declare module "@polkadot/types/lookup" { readonly firstSlot: u64; } - /** @name PalletParachainStakingDelegator (486) */ + /** @name PalletParachainStakingDelegator (487) */ interface PalletParachainStakingDelegator extends Struct { readonly id: AccountId20; readonly delegations: PalletParachainStakingSetOrderedSet; @@ -6661,16 +6665,16 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingDelegatorStatus; } - /** @name PalletParachainStakingSetOrderedSet (487) */ + /** @name PalletParachainStakingSetOrderedSet (488) */ interface PalletParachainStakingSetOrderedSet extends Vec {} - /** @name PalletParachainStakingBond (488) */ + /** @name PalletParachainStakingBond (489) */ interface PalletParachainStakingBond extends Struct { readonly owner: AccountId20; readonly amount: u128; } - /** @name PalletParachainStakingDelegatorStatus (490) */ + /** @name PalletParachainStakingDelegatorStatus (491) */ interface PalletParachainStakingDelegatorStatus extends Enum { readonly isActive: boolean; readonly isLeaving: boolean; @@ -6678,7 +6682,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Leaving"; } - /** @name PalletParachainStakingCandidateMetadata (491) */ + /** @name PalletParachainStakingCandidateMetadata (492) */ interface PalletParachainStakingCandidateMetadata extends Struct { readonly bond: u128; readonly delegationCount: u32; @@ -6692,7 +6696,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingCollatorStatus; } - /** @name PalletParachainStakingCapacityStatus (492) */ + /** @name PalletParachainStakingCapacityStatus (493) */ interface PalletParachainStakingCapacityStatus extends Enum { readonly isFull: boolean; readonly isEmpty: boolean; @@ -6700,13 +6704,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Full" | "Empty" | "Partial"; } - /** @name PalletParachainStakingCandidateBondLessRequest (494) */ + /** @name PalletParachainStakingCandidateBondLessRequest (495) */ interface PalletParachainStakingCandidateBondLessRequest extends Struct { readonly amount: u128; readonly whenExecutable: u32; } - /** @name PalletParachainStakingCollatorStatus (495) */ + /** @name PalletParachainStakingCollatorStatus (496) */ interface PalletParachainStakingCollatorStatus extends Enum { readonly isActive: boolean; readonly isIdle: boolean; @@ -6715,50 +6719,50 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Idle" | "Leaving"; } - /** @name PalletParachainStakingDelegationRequestsScheduledRequest (497) */ + /** @name PalletParachainStakingDelegationRequestsScheduledRequest (498) */ interface PalletParachainStakingDelegationRequestsScheduledRequest extends Struct { readonly delegator: AccountId20; readonly whenExecutable: u32; readonly action: PalletParachainStakingDelegationRequestsDelegationAction; } - /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (500) */ + /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (501) */ interface PalletParachainStakingAutoCompoundAutoCompoundConfig extends Struct { readonly delegator: AccountId20; readonly value: Percent; } - /** @name PalletParachainStakingDelegations (502) */ + /** @name PalletParachainStakingDelegations (503) */ interface PalletParachainStakingDelegations extends Struct { readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingSetBoundedOrderedSet (504) */ + /** @name PalletParachainStakingSetBoundedOrderedSet (505) */ interface PalletParachainStakingSetBoundedOrderedSet extends Vec {} - /** @name PalletParachainStakingCollatorSnapshot (507) */ + /** @name PalletParachainStakingCollatorSnapshot (508) */ interface PalletParachainStakingCollatorSnapshot extends Struct { readonly bond: u128; readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingBondWithAutoCompound (509) */ + /** @name PalletParachainStakingBondWithAutoCompound (510) */ interface PalletParachainStakingBondWithAutoCompound extends Struct { readonly owner: AccountId20; readonly amount: u128; readonly autoCompound: Percent; } - /** @name PalletParachainStakingDelayedPayout (510) */ + /** @name PalletParachainStakingDelayedPayout (511) */ interface PalletParachainStakingDelayedPayout extends Struct { readonly roundIssuance: u128; readonly totalStakingReward: u128; readonly collatorCommission: Perbill; } - /** @name PalletParachainStakingInflationInflationInfo (511) */ + /** @name PalletParachainStakingInflationInflationInfo (512) */ interface PalletParachainStakingInflationInflationInfo extends Struct { readonly expect: { readonly min: u128; @@ -6777,7 +6781,7 @@ declare module "@polkadot/types/lookup" { } & Struct; } - /** @name PalletParachainStakingError (512) */ + /** @name PalletParachainStakingError (513) */ interface PalletParachainStakingError extends Enum { readonly isDelegatorDNE: boolean; readonly isDelegatorDNEinTopNorBottom: boolean; @@ -6894,7 +6898,7 @@ declare module "@polkadot/types/lookup" { | "CurrentRoundTooLow"; } - /** @name PalletSchedulerScheduled (515) */ + /** @name PalletSchedulerScheduled (516) */ interface PalletSchedulerScheduled extends Struct { readonly maybeId: Option; readonly priority: u8; @@ -6903,14 +6907,14 @@ declare module "@polkadot/types/lookup" { readonly origin: MoonbaseRuntimeOriginCaller; } - /** @name PalletSchedulerRetryConfig (517) */ + /** @name PalletSchedulerRetryConfig (518) */ interface PalletSchedulerRetryConfig extends Struct { readonly totalRetries: u8; readonly remaining: u8; readonly period: u32; } - /** @name PalletSchedulerError (518) */ + /** @name PalletSchedulerError (519) */ interface PalletSchedulerError extends Enum { readonly isFailedToSchedule: boolean; readonly isNotFound: boolean; @@ -6925,7 +6929,7 @@ declare module "@polkadot/types/lookup" { | "Named"; } - /** @name PalletTreasuryProposal (519) */ + /** @name PalletTreasuryProposal (520) */ interface PalletTreasuryProposal extends Struct { readonly proposer: AccountId20; readonly value: u128; @@ -6933,7 +6937,7 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; } - /** @name PalletTreasurySpendStatus (522) */ + /** @name PalletTreasurySpendStatus (523) */ interface PalletTreasurySpendStatus extends Struct { readonly assetKind: Null; readonly amount: u128; @@ -6943,7 +6947,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletTreasuryPaymentState; } - /** @name PalletTreasuryPaymentState (523) */ + /** @name PalletTreasuryPaymentState (524) */ interface PalletTreasuryPaymentState extends Enum { readonly isPending: boolean; readonly isAttempted: boolean; @@ -6954,10 +6958,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "Attempted" | "Failed"; } - /** @name FrameSupportPalletId (525) */ + /** @name FrameSupportPalletId (526) */ interface FrameSupportPalletId extends U8aFixed {} - /** @name PalletTreasuryError (526) */ + /** @name PalletTreasuryError (527) */ interface PalletTreasuryError extends Enum { readonly isInsufficientProposersBalance: boolean; readonly isInvalidIndex: boolean; @@ -6986,7 +6990,7 @@ declare module "@polkadot/types/lookup" { | "Inconclusive"; } - /** @name PalletAuthorInherentError (527) */ + /** @name PalletAuthorInherentError (528) */ interface PalletAuthorInherentError extends Enum { readonly isAuthorAlreadySet: boolean; readonly isNoAccountId: boolean; @@ -6994,14 +6998,14 @@ declare module "@polkadot/types/lookup" { readonly type: "AuthorAlreadySet" | "NoAccountId" | "CannotBeAuthor"; } - /** @name PalletCrowdloanRewardsRewardInfo (528) */ + /** @name PalletCrowdloanRewardsRewardInfo (529) */ interface PalletCrowdloanRewardsRewardInfo extends Struct { readonly totalReward: u128; readonly claimedReward: u128; readonly contributedRelayAddresses: Vec; } - /** @name PalletCrowdloanRewardsError (530) */ + /** @name PalletCrowdloanRewardsError (531) */ interface PalletCrowdloanRewardsError extends Enum { readonly isAlreadyAssociated: boolean; readonly isBatchBeyondFundPot: boolean; @@ -7036,14 +7040,14 @@ declare module "@polkadot/types/lookup" { | "InsufficientNumberOfValidProofs"; } - /** @name PalletAuthorMappingRegistrationInfo (531) */ + /** @name PalletAuthorMappingRegistrationInfo (532) */ interface PalletAuthorMappingRegistrationInfo extends Struct { readonly account: AccountId20; readonly deposit: u128; readonly keys_: SessionKeysPrimitivesVrfVrfCryptoPublic; } - /** @name PalletAuthorMappingError (532) */ + /** @name PalletAuthorMappingError (533) */ interface PalletAuthorMappingError extends Enum { readonly isAssociationNotFound: boolean; readonly isNotYourAssociation: boolean; @@ -7064,21 +7068,21 @@ declare module "@polkadot/types/lookup" { | "DecodeKeysFailed"; } - /** @name PalletProxyProxyDefinition (535) */ + /** @name PalletProxyProxyDefinition (536) */ interface PalletProxyProxyDefinition extends Struct { readonly delegate: AccountId20; readonly proxyType: MoonbaseRuntimeProxyType; readonly delay: u32; } - /** @name PalletProxyAnnouncement (539) */ + /** @name PalletProxyAnnouncement (540) */ interface PalletProxyAnnouncement extends Struct { readonly real: AccountId20; readonly callHash: H256; readonly height: u32; } - /** @name PalletProxyError (541) */ + /** @name PalletProxyError (542) */ interface PalletProxyError extends Enum { readonly isTooMany: boolean; readonly isNotFound: boolean; @@ -7099,34 +7103,34 @@ declare module "@polkadot/types/lookup" { | "NoSelfProxy"; } - /** @name PalletMaintenanceModeError (542) */ + /** @name PalletMaintenanceModeError (543) */ interface PalletMaintenanceModeError extends Enum { readonly isAlreadyInMaintenanceMode: boolean; readonly isNotInMaintenanceMode: boolean; readonly type: "AlreadyInMaintenanceMode" | "NotInMaintenanceMode"; } - /** @name PalletIdentityRegistration (544) */ + /** @name PalletIdentityRegistration (545) */ interface PalletIdentityRegistration extends Struct { readonly judgements: Vec>; readonly deposit: u128; readonly info: PalletIdentityLegacyIdentityInfo; } - /** @name PalletIdentityRegistrarInfo (553) */ + /** @name PalletIdentityRegistrarInfo (554) */ interface PalletIdentityRegistrarInfo extends Struct { readonly account: AccountId20; readonly fee: u128; readonly fields: u64; } - /** @name PalletIdentityAuthorityProperties (555) */ + /** @name PalletIdentityAuthorityProperties (556) */ interface PalletIdentityAuthorityProperties extends Struct { readonly suffix: Bytes; readonly allocation: u32; } - /** @name PalletIdentityError (558) */ + /** @name PalletIdentityError (559) */ interface PalletIdentityError extends Enum { readonly isTooManySubAccounts: boolean; readonly isNotFound: boolean; @@ -7183,7 +7187,7 @@ declare module "@polkadot/types/lookup" { | "NotExpired"; } - /** @name CumulusPalletXcmpQueueOutboundChannelDetails (563) */ + /** @name CumulusPalletXcmpQueueOutboundChannelDetails (564) */ interface CumulusPalletXcmpQueueOutboundChannelDetails extends Struct { readonly recipient: u32; readonly state: CumulusPalletXcmpQueueOutboundState; @@ -7192,21 +7196,21 @@ declare module "@polkadot/types/lookup" { readonly lastIndex: u16; } - /** @name CumulusPalletXcmpQueueOutboundState (564) */ + /** @name CumulusPalletXcmpQueueOutboundState (565) */ interface CumulusPalletXcmpQueueOutboundState extends Enum { readonly isOk: boolean; readonly isSuspended: boolean; readonly type: "Ok" | "Suspended"; } - /** @name CumulusPalletXcmpQueueQueueConfigData (566) */ + /** @name CumulusPalletXcmpQueueQueueConfigData (567) */ interface CumulusPalletXcmpQueueQueueConfigData extends Struct { readonly suspendThreshold: u32; readonly dropThreshold: u32; readonly resumeThreshold: u32; } - /** @name CumulusPalletXcmpQueueError (567) */ + /** @name CumulusPalletXcmpQueueError (568) */ interface CumulusPalletXcmpQueueError extends Enum { readonly isBadQueueConfig: boolean; readonly isAlreadySuspended: boolean; @@ -7214,7 +7218,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadQueueConfig" | "AlreadySuspended" | "AlreadyResumed"; } - /** @name CumulusPalletDmpQueueMigrationState (568) */ + /** @name CumulusPalletDmpQueueMigrationState (569) */ interface CumulusPalletDmpQueueMigrationState extends Enum { readonly isNotStarted: boolean; readonly isStartedExport: boolean; @@ -7242,7 +7246,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmQueryStatus (571) */ + /** @name PalletXcmQueryStatus (572) */ interface PalletXcmQueryStatus extends Enum { readonly isPending: boolean; readonly asPending: { @@ -7264,7 +7268,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "VersionNotifier" | "Ready"; } - /** @name XcmVersionedResponse (575) */ + /** @name XcmVersionedResponse (576) */ interface XcmVersionedResponse extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Response; @@ -7275,7 +7279,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmVersionMigrationStage (581) */ + /** @name PalletXcmVersionMigrationStage (582) */ interface PalletXcmVersionMigrationStage extends Enum { readonly isMigrateSupportedVersion: boolean; readonly isMigrateVersionNotifiers: boolean; @@ -7289,7 +7293,7 @@ declare module "@polkadot/types/lookup" { | "MigrateAndNotifyOldTargets"; } - /** @name PalletXcmRemoteLockedFungibleRecord (584) */ + /** @name PalletXcmRemoteLockedFungibleRecord (585) */ interface PalletXcmRemoteLockedFungibleRecord extends Struct { readonly amount: u128; readonly owner: XcmVersionedLocation; @@ -7297,7 +7301,7 @@ declare module "@polkadot/types/lookup" { readonly consumers: Vec>; } - /** @name PalletXcmError (591) */ + /** @name PalletXcmError (592) */ interface PalletXcmError extends Enum { readonly isUnreachable: boolean; readonly isSendFailure: boolean; @@ -7350,7 +7354,7 @@ declare module "@polkadot/types/lookup" { | "LocalExecutionIncomplete"; } - /** @name PalletAssetsAssetDetails (592) */ + /** @name PalletAssetsAssetDetails (593) */ interface PalletAssetsAssetDetails extends Struct { readonly owner: AccountId20; readonly issuer: AccountId20; @@ -7366,7 +7370,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletAssetsAssetStatus; } - /** @name PalletAssetsAssetStatus (593) */ + /** @name PalletAssetsAssetStatus (594) */ interface PalletAssetsAssetStatus extends Enum { readonly isLive: boolean; readonly isFrozen: boolean; @@ -7374,7 +7378,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Live" | "Frozen" | "Destroying"; } - /** @name PalletAssetsAssetAccount (595) */ + /** @name PalletAssetsAssetAccount (596) */ interface PalletAssetsAssetAccount extends Struct { readonly balance: u128; readonly status: PalletAssetsAccountStatus; @@ -7382,7 +7386,7 @@ declare module "@polkadot/types/lookup" { readonly extra: Null; } - /** @name PalletAssetsAccountStatus (596) */ + /** @name PalletAssetsAccountStatus (597) */ interface PalletAssetsAccountStatus extends Enum { readonly isLiquid: boolean; readonly isFrozen: boolean; @@ -7390,7 +7394,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Liquid" | "Frozen" | "Blocked"; } - /** @name PalletAssetsExistenceReason (597) */ + /** @name PalletAssetsExistenceReason (598) */ interface PalletAssetsExistenceReason extends Enum { readonly isConsumer: boolean; readonly isSufficient: boolean; @@ -7402,13 +7406,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Consumer" | "Sufficient" | "DepositHeld" | "DepositRefunded" | "DepositFrom"; } - /** @name PalletAssetsApproval (599) */ + /** @name PalletAssetsApproval (600) */ interface PalletAssetsApproval extends Struct { readonly amount: u128; readonly deposit: u128; } - /** @name PalletAssetsAssetMetadata (600) */ + /** @name PalletAssetsAssetMetadata (601) */ interface PalletAssetsAssetMetadata extends Struct { readonly deposit: u128; readonly name: Bytes; @@ -7417,7 +7421,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletAssetsError (602) */ + /** @name PalletAssetsError (603) */ interface PalletAssetsError extends Enum { readonly isBalanceLow: boolean; readonly isNoAccount: boolean; @@ -7462,7 +7466,7 @@ declare module "@polkadot/types/lookup" { | "CallbackFailed"; } - /** @name OrmlXtokensModuleError (603) */ + /** @name OrmlXtokensModuleError (604) */ interface OrmlXtokensModuleError extends Enum { readonly isAssetHasNoReserve: boolean; readonly isNotCrossChainTransfer: boolean; @@ -7507,7 +7511,7 @@ declare module "@polkadot/types/lookup" { | "RateLimited"; } - /** @name PalletAssetManagerError (604) */ + /** @name PalletAssetManagerError (605) */ interface PalletAssetManagerError extends Enum { readonly isErrorCreatingAsset: boolean; readonly isAssetAlreadyExists: boolean; @@ -7528,7 +7532,7 @@ declare module "@polkadot/types/lookup" { | "NonExistentLocalAsset"; } - /** @name PalletMigrationsError (605) */ + /** @name PalletMigrationsError (606) */ interface PalletMigrationsError extends Enum { readonly isPreimageMissing: boolean; readonly isWrongUpperBound: boolean; @@ -7541,7 +7545,7 @@ declare module "@polkadot/types/lookup" { | "PreimageAlreadyExists"; } - /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (606) */ + /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (607) */ interface PalletXcmTransactorRelayIndicesRelayChainIndices extends Struct { readonly staking: u8; readonly utility: u8; @@ -7563,7 +7567,7 @@ declare module "@polkadot/types/lookup" { readonly cancelOpenRequest: u8; } - /** @name PalletXcmTransactorError (607) */ + /** @name PalletXcmTransactorError (608) */ interface PalletXcmTransactorError extends Enum { readonly isIndexAlreadyClaimed: boolean; readonly isUnclaimedIndex: boolean; @@ -7622,20 +7626,20 @@ declare module "@polkadot/types/lookup" { | "RefundNotSupportedWithTransactInfo"; } - /** @name PalletMoonbeamOrbitersCollatorPoolInfo (608) */ + /** @name PalletMoonbeamOrbitersCollatorPoolInfo (609) */ interface PalletMoonbeamOrbitersCollatorPoolInfo extends Struct { readonly orbiters: Vec; readonly maybeCurrentOrbiter: Option; readonly nextOrbiter: u32; } - /** @name PalletMoonbeamOrbitersCurrentOrbiter (610) */ + /** @name PalletMoonbeamOrbitersCurrentOrbiter (611) */ interface PalletMoonbeamOrbitersCurrentOrbiter extends Struct { readonly accountId: AccountId20; readonly removed: bool; } - /** @name PalletMoonbeamOrbitersError (611) */ + /** @name PalletMoonbeamOrbitersError (612) */ interface PalletMoonbeamOrbitersError extends Enum { readonly isCollatorAlreadyAdded: boolean; readonly isCollatorNotFound: boolean; @@ -7658,19 +7662,19 @@ declare module "@polkadot/types/lookup" { | "OrbiterStillInAPool"; } - /** @name PalletEthereumXcmError (612) */ + /** @name PalletEthereumXcmError (613) */ interface PalletEthereumXcmError extends Enum { readonly isEthereumXcmExecutionSuspended: boolean; readonly type: "EthereumXcmExecutionSuspended"; } - /** @name PalletRandomnessRequestState (613) */ + /** @name PalletRandomnessRequestState (614) */ interface PalletRandomnessRequestState extends Struct { readonly request: PalletRandomnessRequest; readonly deposit: u128; } - /** @name PalletRandomnessRequest (614) */ + /** @name PalletRandomnessRequest (615) */ interface PalletRandomnessRequest extends Struct { readonly refundAddress: H160; readonly contractAddress: H160; @@ -7681,7 +7685,7 @@ declare module "@polkadot/types/lookup" { readonly info: PalletRandomnessRequestInfo; } - /** @name PalletRandomnessRequestInfo (615) */ + /** @name PalletRandomnessRequestInfo (616) */ interface PalletRandomnessRequestInfo extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: ITuple<[u64, u64]>; @@ -7690,7 +7694,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRequestType (616) */ + /** @name PalletRandomnessRequestType (617) */ interface PalletRandomnessRequestType extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: u64; @@ -7699,13 +7703,13 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRandomnessResult (617) */ + /** @name PalletRandomnessRandomnessResult (618) */ interface PalletRandomnessRandomnessResult extends Struct { readonly randomness: Option; readonly requestCount: u64; } - /** @name PalletRandomnessError (618) */ + /** @name PalletRandomnessError (619) */ interface PalletRandomnessError extends Enum { readonly isRequestCounterOverflowed: boolean; readonly isRequestFeeOverflowed: boolean; @@ -7734,7 +7738,7 @@ declare module "@polkadot/types/lookup" { | "RandomnessResultNotFilled"; } - /** @name PalletCollectiveVotes (620) */ + /** @name PalletCollectiveVotes (621) */ interface PalletCollectiveVotes extends Struct { readonly index: u32; readonly threshold: u32; @@ -7743,7 +7747,7 @@ declare module "@polkadot/types/lookup" { readonly end: u32; } - /** @name PalletCollectiveError (621) */ + /** @name PalletCollectiveError (622) */ interface PalletCollectiveError extends Enum { readonly isNotMember: boolean; readonly isDuplicateProposal: boolean; @@ -7770,7 +7774,7 @@ declare module "@polkadot/types/lookup" { | "PrimeAccountNotMember"; } - /** @name PalletConvictionVotingVoteVoting (623) */ + /** @name PalletConvictionVotingVoteVoting (624) */ interface PalletConvictionVotingVoteVoting extends Enum { readonly isCasting: boolean; readonly asCasting: PalletConvictionVotingVoteCasting; @@ -7779,23 +7783,23 @@ declare module "@polkadot/types/lookup" { readonly type: "Casting" | "Delegating"; } - /** @name PalletConvictionVotingVoteCasting (624) */ + /** @name PalletConvictionVotingVoteCasting (625) */ interface PalletConvictionVotingVoteCasting extends Struct { readonly votes: Vec>; readonly delegations: PalletConvictionVotingDelegations; readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingDelegations (628) */ + /** @name PalletConvictionVotingDelegations (629) */ interface PalletConvictionVotingDelegations extends Struct { readonly votes: u128; readonly capital: u128; } - /** @name PalletConvictionVotingVotePriorLock (629) */ + /** @name PalletConvictionVotingVotePriorLock (630) */ interface PalletConvictionVotingVotePriorLock extends ITuple<[u32, u128]> {} - /** @name PalletConvictionVotingVoteDelegating (630) */ + /** @name PalletConvictionVotingVoteDelegating (631) */ interface PalletConvictionVotingVoteDelegating extends Struct { readonly balance: u128; readonly target: AccountId20; @@ -7804,7 +7808,7 @@ declare module "@polkadot/types/lookup" { readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingError (634) */ + /** @name PalletConvictionVotingError (635) */ interface PalletConvictionVotingError extends Enum { readonly isNotOngoing: boolean; readonly isNotVoter: boolean; @@ -7833,7 +7837,7 @@ declare module "@polkadot/types/lookup" { | "BadClass"; } - /** @name PalletReferendaReferendumInfo (635) */ + /** @name PalletReferendaReferendumInfo (636) */ interface PalletReferendaReferendumInfo extends Enum { readonly isOngoing: boolean; readonly asOngoing: PalletReferendaReferendumStatus; @@ -7858,7 +7862,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ongoing" | "Approved" | "Rejected" | "Cancelled" | "TimedOut" | "Killed"; } - /** @name PalletReferendaReferendumStatus (636) */ + /** @name PalletReferendaReferendumStatus (637) */ interface PalletReferendaReferendumStatus extends Struct { readonly track: u16; readonly origin: MoonbaseRuntimeOriginCaller; @@ -7873,19 +7877,19 @@ declare module "@polkadot/types/lookup" { readonly alarm: Option]>>; } - /** @name PalletReferendaDeposit (637) */ + /** @name PalletReferendaDeposit (638) */ interface PalletReferendaDeposit extends Struct { readonly who: AccountId20; readonly amount: u128; } - /** @name PalletReferendaDecidingStatus (640) */ + /** @name PalletReferendaDecidingStatus (641) */ interface PalletReferendaDecidingStatus extends Struct { readonly since: u32; readonly confirming: Option; } - /** @name PalletReferendaTrackInfo (648) */ + /** @name PalletReferendaTrackInfo (649) */ interface PalletReferendaTrackInfo extends Struct { readonly name: Text; readonly maxDeciding: u32; @@ -7898,7 +7902,7 @@ declare module "@polkadot/types/lookup" { readonly minSupport: PalletReferendaCurve; } - /** @name PalletReferendaCurve (649) */ + /** @name PalletReferendaCurve (650) */ interface PalletReferendaCurve extends Enum { readonly isLinearDecreasing: boolean; readonly asLinearDecreasing: { @@ -7922,7 +7926,7 @@ declare module "@polkadot/types/lookup" { readonly type: "LinearDecreasing" | "SteppedDecreasing" | "Reciprocal"; } - /** @name PalletReferendaError (652) */ + /** @name PalletReferendaError (653) */ interface PalletReferendaError extends Enum { readonly isNotOngoing: boolean; readonly isHasDeposit: boolean; @@ -7955,7 +7959,7 @@ declare module "@polkadot/types/lookup" { | "PreimageStoredWithDifferentLength"; } - /** @name PalletPreimageOldRequestStatus (653) */ + /** @name PalletPreimageOldRequestStatus (654) */ interface PalletPreimageOldRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7971,7 +7975,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageRequestStatus (656) */ + /** @name PalletPreimageRequestStatus (657) */ interface PalletPreimageRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7987,7 +7991,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageError (662) */ + /** @name PalletPreimageError (663) */ interface PalletPreimageError extends Enum { readonly isTooBig: boolean; readonly isAlreadyNoted: boolean; @@ -8008,7 +8012,7 @@ declare module "@polkadot/types/lookup" { | "TooFew"; } - /** @name PalletWhitelistError (663) */ + /** @name PalletWhitelistError (664) */ interface PalletWhitelistError extends Enum { readonly isUnavailablePreImage: boolean; readonly isUndecodableCall: boolean; @@ -8023,7 +8027,7 @@ declare module "@polkadot/types/lookup" { | "CallAlreadyWhitelisted"; } - /** @name PalletMultisigMultisig (667) */ + /** @name PalletMultisigMultisig (668) */ interface PalletMultisigMultisig extends Struct { readonly when: PalletMultisigTimepoint; readonly deposit: u128; @@ -8031,7 +8035,7 @@ declare module "@polkadot/types/lookup" { readonly approvals: Vec; } - /** @name PalletMultisigError (669) */ + /** @name PalletMultisigError (670) */ interface PalletMultisigError extends Enum { readonly isMinimumThreshold: boolean; readonly isAlreadyApproved: boolean; @@ -8064,7 +8068,7 @@ declare module "@polkadot/types/lookup" { | "AlreadyStored"; } - /** @name PalletMoonbeamLazyMigrationsError (672) */ + /** @name PalletMoonbeamLazyMigrationsError (673) */ interface PalletMoonbeamLazyMigrationsError extends Enum { readonly isLimitCannotBeZero: boolean; readonly isAddressesLengthCannotBeZero: boolean; @@ -8079,13 +8083,13 @@ declare module "@polkadot/types/lookup" { | "ContractNotExist"; } - /** @name PalletPrecompileBenchmarksError (674) */ + /** @name PalletPrecompileBenchmarksError (675) */ interface PalletPrecompileBenchmarksError extends Enum { readonly isBenchmarkError: boolean; readonly type: "BenchmarkError"; } - /** @name PalletMessageQueueBookState (675) */ + /** @name PalletMessageQueueBookState (676) */ interface PalletMessageQueueBookState extends Struct { readonly begin: u32; readonly end: u32; @@ -8095,13 +8099,13 @@ declare module "@polkadot/types/lookup" { readonly size_: u64; } - /** @name PalletMessageQueueNeighbours (677) */ + /** @name PalletMessageQueueNeighbours (678) */ interface PalletMessageQueueNeighbours extends Struct { readonly prev: CumulusPrimitivesCoreAggregateMessageOrigin; readonly next: CumulusPrimitivesCoreAggregateMessageOrigin; } - /** @name PalletMessageQueuePage (679) */ + /** @name PalletMessageQueuePage (680) */ interface PalletMessageQueuePage extends Struct { readonly remaining: u32; readonly remainingSize: u32; @@ -8111,7 +8115,7 @@ declare module "@polkadot/types/lookup" { readonly heap: Bytes; } - /** @name PalletMessageQueueError (681) */ + /** @name PalletMessageQueueError (682) */ interface PalletMessageQueueError extends Enum { readonly isNotReapable: boolean; readonly isNoPage: boolean; @@ -8134,20 +8138,20 @@ declare module "@polkadot/types/lookup" { | "RecursiveDisallowed"; } - /** @name PalletEmergencyParaXcmXcmMode (682) */ + /** @name PalletEmergencyParaXcmXcmMode (683) */ interface PalletEmergencyParaXcmXcmMode extends Enum { readonly isNormal: boolean; readonly isPaused: boolean; readonly type: "Normal" | "Paused"; } - /** @name PalletEmergencyParaXcmError (683) */ + /** @name PalletEmergencyParaXcmError (684) */ interface PalletEmergencyParaXcmError extends Enum { readonly isNotInPausedMode: boolean; readonly type: "NotInPausedMode"; } - /** @name PalletMoonbeamForeignAssetsAssetStatus (685) */ + /** @name PalletMoonbeamForeignAssetsAssetStatus (686) */ interface PalletMoonbeamForeignAssetsAssetStatus extends Enum { readonly isActive: boolean; readonly isFrozenXcmDepositAllowed: boolean; @@ -8155,7 +8159,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "FrozenXcmDepositAllowed" | "FrozenXcmDepositForbidden"; } - /** @name PalletMoonbeamForeignAssetsError (686) */ + /** @name PalletMoonbeamForeignAssetsError (687) */ interface PalletMoonbeamForeignAssetsError extends Enum { readonly isAssetAlreadyExists: boolean; readonly isAssetAlreadyFrozen: boolean; @@ -8188,7 +8192,7 @@ declare module "@polkadot/types/lookup" { | "TooManyForeignAssets"; } - /** @name PalletXcmWeightTraderError (688) */ + /** @name PalletXcmWeightTraderError (689) */ interface PalletXcmWeightTraderError extends Enum { readonly isAssetAlreadyAdded: boolean; readonly isAssetAlreadyPaused: boolean; @@ -8205,42 +8209,42 @@ declare module "@polkadot/types/lookup" { | "PriceCannotBeZero"; } - /** @name FrameSystemExtensionsCheckNonZeroSender (691) */ + /** @name FrameSystemExtensionsCheckNonZeroSender (692) */ type FrameSystemExtensionsCheckNonZeroSender = Null; - /** @name FrameSystemExtensionsCheckSpecVersion (692) */ + /** @name FrameSystemExtensionsCheckSpecVersion (693) */ type FrameSystemExtensionsCheckSpecVersion = Null; - /** @name FrameSystemExtensionsCheckTxVersion (693) */ + /** @name FrameSystemExtensionsCheckTxVersion (694) */ type FrameSystemExtensionsCheckTxVersion = Null; - /** @name FrameSystemExtensionsCheckGenesis (694) */ + /** @name FrameSystemExtensionsCheckGenesis (695) */ type FrameSystemExtensionsCheckGenesis = Null; - /** @name FrameSystemExtensionsCheckNonce (697) */ + /** @name FrameSystemExtensionsCheckNonce (698) */ interface FrameSystemExtensionsCheckNonce extends Compact {} - /** @name FrameSystemExtensionsCheckWeight (698) */ + /** @name FrameSystemExtensionsCheckWeight (699) */ type FrameSystemExtensionsCheckWeight = Null; - /** @name PalletTransactionPaymentChargeTransactionPayment (699) */ + /** @name PalletTransactionPaymentChargeTransactionPayment (700) */ interface PalletTransactionPaymentChargeTransactionPayment extends Compact {} - /** @name FrameMetadataHashExtensionCheckMetadataHash (700) */ + /** @name FrameMetadataHashExtensionCheckMetadataHash (701) */ interface FrameMetadataHashExtensionCheckMetadataHash extends Struct { readonly mode: FrameMetadataHashExtensionMode; } - /** @name FrameMetadataHashExtensionMode (701) */ + /** @name FrameMetadataHashExtensionMode (702) */ interface FrameMetadataHashExtensionMode extends Enum { readonly isDisabled: boolean; readonly isEnabled: boolean; readonly type: "Disabled" | "Enabled"; } - /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (702) */ + /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (703) */ type CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim = Null; - /** @name MoonbaseRuntimeRuntime (704) */ + /** @name MoonbaseRuntimeRuntime (705) */ type MoonbaseRuntimeRuntime = Null; } // declare module diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-events.ts b/typescript-api/src/moonbeam/interfaces/augment-api-events.ts index b488b24fcc..0b7788e43a 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-events.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-events.ts @@ -12,7 +12,6 @@ import type { Option, Result, U8aFixed, - Vec, bool, u128, u16, @@ -39,7 +38,7 @@ import type { PalletMultisigTimepoint, PalletParachainStakingDelegationRequestsCancelledScheduledRequest, PalletParachainStakingDelegatorAdded, - PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletXcmTransactorHrmpOperation, PalletXcmTransactorRemoteTransactInfoWithMaxWeight, SessionKeysPrimitivesVrfVrfCryptoPublic, @@ -1154,12 +1153,12 @@ declare module "@polkadot/api-base/types/events" { InflationDistributionConfigUpdated: AugmentedEvent< ApiType, [ - old: Vec, - new_: Vec + old: PalletParachainStakingInflationDistributionConfig, + new_: PalletParachainStakingInflationDistributionConfig ], { - old: Vec; - new_: Vec; + old: PalletParachainStakingInflationDistributionConfig; + new_: PalletParachainStakingInflationDistributionConfig; } >; /** Annual inflation input (first 3) was used to derive new per-round inflation (last 3) */ diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-query.ts b/typescript-api/src/moonbeam/interfaces/augment-api-query.ts index 983fbe4617..27272810fa 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-query.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-query.ts @@ -84,6 +84,7 @@ import type { PalletParachainStakingDelegations, PalletParachainStakingDelegator, PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletParachainStakingInflationInflationInfo, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, diff --git a/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts b/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts index c60aadbf9b..f89113df0b 100644 --- a/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts +++ b/typescript-api/src/moonbeam/interfaces/augment-api-tx.ts @@ -57,6 +57,7 @@ import type { PalletIdentityJudgement, PalletIdentityLegacyIdentityInfo, PalletMultisigTimepoint, + PalletParachainStakingInflationDistributionConfig, PalletXcmTransactorCurrencyPayment, PalletXcmTransactorHrmpOperation, PalletXcmTransactorTransactWeights, @@ -2559,8 +2560,10 @@ declare module "@polkadot/api-base/types/submittable" { >; /** Set the percent of inflation set aside for parachain bond */ setInflationDistributionConfig: AugmentedSubmittable< - (updated: Vec) => SubmittableExtrinsic, - [Vec] + ( + updated: PalletParachainStakingInflationDistributionConfig + ) => SubmittableExtrinsic, + [PalletParachainStakingInflationDistributionConfig] >; /** * Deprecated: please use `set_inflation_distribution_config` instead. diff --git a/typescript-api/src/moonbeam/interfaces/lookup.ts b/typescript-api/src/moonbeam/interfaces/lookup.ts index a1c1e9efd1..ab9ad50b6b 100644 --- a/typescript-api/src/moonbeam/interfaces/lookup.ts +++ b/typescript-api/src/moonbeam/interfaces/lookup.ts @@ -414,8 +414,8 @@ export default { _alias: { new_: "new", }, - old: "[Lookup44;2]", - new_: "[Lookup44;2]", + old: "PalletParachainStakingInflationDistributionConfig", + new_: "PalletParachainStakingInflationDistributionConfig", }, InflationSet: { annualMin: "Perbill", @@ -490,20 +490,25 @@ export default { }, }, /** - * Lookup44: + * Lookup43: + * pallet_parachain_staking::types::InflationDistributionConfig[account::AccountId20](account::AccountId20) + */ + PalletParachainStakingInflationDistributionConfig: "[Lookup45;2]", + /** + * Lookup45: * pallet_parachain_staking::types::InflationDistributionAccount[account::AccountId20](account::AccountId20) */ PalletParachainStakingInflationDistributionAccount: { account: "AccountId20", percent: "Percent", }, - /** Lookup46: pallet_author_slot_filter::pallet::Event */ + /** Lookup47: pallet_author_slot_filter::pallet::Event */ PalletAuthorSlotFilterEvent: { _enum: { EligibleUpdated: "u32", }, }, - /** Lookup48: pallet_author_mapping::pallet::Event */ + /** Lookup49: pallet_author_mapping::pallet::Event */ PalletAuthorMappingEvent: { _enum: { KeysRegistered: { @@ -529,11 +534,11 @@ export default { }, }, }, - /** Lookup49: nimbus_primitives::nimbus_crypto::Public */ + /** Lookup50: nimbus_primitives::nimbus_crypto::Public */ NimbusPrimitivesNimbusCryptoPublic: "[u8;32]", - /** Lookup50: session_keys_primitives::vrf::vrf_crypto::Public */ + /** Lookup51: session_keys_primitives::vrf::vrf_crypto::Public */ SessionKeysPrimitivesVrfVrfCryptoPublic: "[u8;32]", - /** Lookup51: pallet_moonbeam_orbiters::pallet::Event */ + /** Lookup52: pallet_moonbeam_orbiters::pallet::Event */ PalletMoonbeamOrbitersEvent: { _enum: { OrbiterJoinCollatorPool: { @@ -562,7 +567,7 @@ export default { }, }, }, - /** Lookup53: pallet_utility::pallet::Event */ + /** Lookup54: pallet_utility::pallet::Event */ PalletUtilityEvent: { _enum: { BatchInterrupted: { @@ -580,7 +585,7 @@ export default { }, }, }, - /** Lookup56: pallet_proxy::pallet::Event */ + /** Lookup57: pallet_proxy::pallet::Event */ PalletProxyEvent: { _enum: { ProxyExecuted: { @@ -611,7 +616,7 @@ export default { }, }, }, - /** Lookup57: moonbeam_runtime::ProxyType */ + /** Lookup58: moonbeam_runtime::ProxyType */ MoonbeamRuntimeProxyType: { _enum: [ "Any", @@ -624,7 +629,7 @@ export default { "IdentityJudgement", ], }, - /** Lookup59: pallet_maintenance_mode::pallet::Event */ + /** Lookup60: pallet_maintenance_mode::pallet::Event */ PalletMaintenanceModeEvent: { _enum: { EnteredMaintenanceMode: "Null", @@ -637,7 +642,7 @@ export default { }, }, }, - /** Lookup60: pallet_identity::pallet::Event */ + /** Lookup61: pallet_identity::pallet::Event */ PalletIdentityEvent: { _enum: { IdentitySet: { @@ -709,7 +714,7 @@ export default { }, }, }, - /** Lookup62: pallet_migrations::pallet::Event */ + /** Lookup63: pallet_migrations::pallet::Event */ PalletMigrationsEvent: { _enum: { RuntimeUpgradeStarted: "Null", @@ -731,7 +736,7 @@ export default { }, }, }, - /** Lookup63: pallet_multisig::pallet::Event */ + /** Lookup64: pallet_multisig::pallet::Event */ PalletMultisigEvent: { _enum: { NewMultisig: { @@ -760,12 +765,12 @@ export default { }, }, }, - /** Lookup64: pallet_multisig::Timepoint */ + /** Lookup65: pallet_multisig::Timepoint */ PalletMultisigTimepoint: { height: "u32", index: "u32", }, - /** Lookup65: pallet_evm::pallet::Event */ + /** Lookup66: pallet_evm::pallet::Event */ PalletEvmEvent: { _enum: { Log: { @@ -785,13 +790,13 @@ export default { }, }, }, - /** Lookup66: ethereum::log::Log */ + /** Lookup67: ethereum::log::Log */ EthereumLog: { address: "H160", topics: "Vec", data: "Bytes", }, - /** Lookup69: pallet_ethereum::pallet::Event */ + /** Lookup70: pallet_ethereum::pallet::Event */ PalletEthereumEvent: { _enum: { Executed: { @@ -803,7 +808,7 @@ export default { }, }, }, - /** Lookup70: evm_core::error::ExitReason */ + /** Lookup71: evm_core::error::ExitReason */ EvmCoreErrorExitReason: { _enum: { Succeed: "EvmCoreErrorExitSucceed", @@ -812,11 +817,11 @@ export default { Fatal: "EvmCoreErrorExitFatal", }, }, - /** Lookup71: evm_core::error::ExitSucceed */ + /** Lookup72: evm_core::error::ExitSucceed */ EvmCoreErrorExitSucceed: { _enum: ["Stopped", "Returned", "Suicided"], }, - /** Lookup72: evm_core::error::ExitError */ + /** Lookup73: evm_core::error::ExitError */ EvmCoreErrorExitError: { _enum: { StackUnderflow: "Null", @@ -837,11 +842,11 @@ export default { InvalidCode: "u8", }, }, - /** Lookup76: evm_core::error::ExitRevert */ + /** Lookup77: evm_core::error::ExitRevert */ EvmCoreErrorExitRevert: { _enum: ["Reverted"], }, - /** Lookup77: evm_core::error::ExitFatal */ + /** Lookup78: evm_core::error::ExitFatal */ EvmCoreErrorExitFatal: { _enum: { NotSupported: "Null", @@ -850,7 +855,7 @@ export default { Other: "Text", }, }, - /** Lookup78: pallet_scheduler::pallet::Event */ + /** Lookup79: pallet_scheduler::pallet::Event */ PalletSchedulerEvent: { _enum: { Scheduled: { @@ -894,7 +899,7 @@ export default { }, }, }, - /** Lookup80: pallet_preimage::pallet::Event */ + /** Lookup81: pallet_preimage::pallet::Event */ PalletPreimageEvent: { _enum: { Noted: { @@ -917,14 +922,14 @@ export default { }, }, }, - /** Lookup81: pallet_conviction_voting::pallet::Event */ + /** Lookup82: pallet_conviction_voting::pallet::Event */ PalletConvictionVotingEvent: { _enum: { Delegated: "(AccountId20,AccountId20)", Undelegated: "AccountId20", }, }, - /** Lookup82: pallet_referenda::pallet::Event */ + /** Lookup83: pallet_referenda::pallet::Event */ PalletReferendaEvent: { _enum: { Submitted: { @@ -1003,7 +1008,7 @@ export default { }, }, /** - * Lookup83: frame_support::traits::preimages::Bounded */ FrameSupportPreimagesBounded: { @@ -1024,7 +1029,7 @@ export default { }, }, }, - /** Lookup85: frame_system::pallet::Call */ + /** Lookup86: frame_system::pallet::Call */ FrameSystemCall: { _enum: { remark: { @@ -1067,7 +1072,7 @@ export default { }, }, }, - /** Lookup89: cumulus_pallet_parachain_system::pallet::Call */ + /** Lookup90: cumulus_pallet_parachain_system::pallet::Call */ CumulusPalletParachainSystemCall: { _enum: { set_validation_data: { @@ -1085,35 +1090,35 @@ export default { }, }, }, - /** Lookup90: cumulus_primitives_parachain_inherent::ParachainInherentData */ + /** Lookup91: cumulus_primitives_parachain_inherent::ParachainInherentData */ CumulusPrimitivesParachainInherentParachainInherentData: { validationData: "PolkadotPrimitivesV7PersistedValidationData", relayChainState: "SpTrieStorageProof", downwardMessages: "Vec", horizontalMessages: "BTreeMap>", }, - /** Lookup91: polkadot_primitives::v7::PersistedValidationData */ + /** Lookup92: polkadot_primitives::v7::PersistedValidationData */ PolkadotPrimitivesV7PersistedValidationData: { parentHead: "Bytes", relayParentNumber: "u32", relayParentStorageRoot: "H256", maxPovSize: "u32", }, - /** Lookup93: sp_trie::storage_proof::StorageProof */ + /** Lookup94: sp_trie::storage_proof::StorageProof */ SpTrieStorageProof: { trieNodes: "BTreeSet", }, - /** Lookup96: polkadot_core_primitives::InboundDownwardMessage */ + /** Lookup97: polkadot_core_primitives::InboundDownwardMessage */ PolkadotCorePrimitivesInboundDownwardMessage: { sentAt: "u32", msg: "Bytes", }, - /** Lookup100: polkadot_core_primitives::InboundHrmpMessage */ + /** Lookup101: polkadot_core_primitives::InboundHrmpMessage */ PolkadotCorePrimitivesInboundHrmpMessage: { sentAt: "u32", data: "Bytes", }, - /** Lookup103: pallet_timestamp::pallet::Call */ + /** Lookup104: pallet_timestamp::pallet::Call */ PalletTimestampCall: { _enum: { set: { @@ -1121,7 +1126,7 @@ export default { }, }, }, - /** Lookup104: pallet_root_testing::pallet::Call */ + /** Lookup105: pallet_root_testing::pallet::Call */ PalletRootTestingCall: { _enum: { fill_block: { @@ -1130,7 +1135,7 @@ export default { trigger_defensive: "Null", }, }, - /** Lookup105: pallet_balances::pallet::Call */ + /** Lookup106: pallet_balances::pallet::Call */ PalletBalancesCall: { _enum: { transfer_allow_death: { @@ -1169,11 +1174,11 @@ export default { }, }, }, - /** Lookup108: pallet_balances::types::AdjustmentDirection */ + /** Lookup109: pallet_balances::types::AdjustmentDirection */ PalletBalancesAdjustmentDirection: { _enum: ["Increase", "Decrease"], }, - /** Lookup109: pallet_parachain_staking::pallet::Call */ + /** Lookup110: pallet_parachain_staking::pallet::Call */ PalletParachainStakingCall: { _enum: { set_staking_expectations: { @@ -1305,15 +1310,15 @@ export default { _alias: { new_: "new", }, - new_: "[Lookup44;2]", + new_: "PalletParachainStakingInflationDistributionConfig", }, }, }, - /** Lookup112: pallet_author_inherent::pallet::Call */ + /** Lookup113: pallet_author_inherent::pallet::Call */ PalletAuthorInherentCall: { _enum: ["kick_off_authorship_validation"], }, - /** Lookup113: pallet_author_slot_filter::pallet::Call */ + /** Lookup114: pallet_author_slot_filter::pallet::Call */ PalletAuthorSlotFilterCall: { _enum: { set_eligible: { @@ -1324,7 +1329,7 @@ export default { }, }, }, - /** Lookup114: pallet_author_mapping::pallet::Call */ + /** Lookup115: pallet_author_mapping::pallet::Call */ PalletAuthorMappingCall: { _enum: { add_association: { @@ -1346,7 +1351,7 @@ export default { }, }, }, - /** Lookup115: pallet_moonbeam_orbiters::pallet::Call */ + /** Lookup116: pallet_moonbeam_orbiters::pallet::Call */ PalletMoonbeamOrbitersCall: { _enum: { collator_add_orbiter: { @@ -1370,7 +1375,7 @@ export default { }, }, }, - /** Lookup116: pallet_utility::pallet::Call */ + /** Lookup117: pallet_utility::pallet::Call */ PalletUtilityCall: { _enum: { batch: { @@ -1396,7 +1401,7 @@ export default { }, }, }, - /** Lookup118: moonbeam_runtime::OriginCaller */ + /** Lookup119: moonbeam_runtime::OriginCaller */ MoonbeamRuntimeOriginCaller: { _enum: { system: "FrameSupportDispatchRawOrigin", @@ -1511,7 +1516,7 @@ export default { EthereumXcm: "PalletEthereumXcmRawOrigin", }, }, - /** Lookup119: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ + /** Lookup120: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ FrameSupportDispatchRawOrigin: { _enum: { Root: "Null", @@ -1519,13 +1524,13 @@ export default { None: "Null", }, }, - /** Lookup120: pallet_ethereum::RawOrigin */ + /** Lookup121: pallet_ethereum::RawOrigin */ PalletEthereumRawOrigin: { _enum: { EthereumTransaction: "H160", }, }, - /** Lookup121: moonbeam_runtime::governance::origins::custom_origins::Origin */ + /** Lookup122: moonbeam_runtime::governance::origins::custom_origins::Origin */ MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin: { _enum: [ "WhitelistedCaller", @@ -1535,7 +1540,7 @@ export default { "FastGeneralAdmin", ], }, - /** Lookup122: pallet_collective::RawOrigin */ + /** Lookup123: pallet_collective::RawOrigin */ PalletCollectiveRawOrigin: { _enum: { Members: "(u32,u32)", @@ -1543,40 +1548,40 @@ export default { _Phantom: "Null", }, }, - /** Lookup124: cumulus_pallet_xcm::pallet::Origin */ + /** Lookup125: cumulus_pallet_xcm::pallet::Origin */ CumulusPalletXcmOrigin: { _enum: { Relay: "Null", SiblingParachain: "u32", }, }, - /** Lookup125: pallet_xcm::pallet::Origin */ + /** Lookup126: pallet_xcm::pallet::Origin */ PalletXcmOrigin: { _enum: { Xcm: "StagingXcmV4Location", Response: "StagingXcmV4Location", }, }, - /** Lookup126: staging_xcm::v4::location::Location */ + /** Lookup127: staging_xcm::v4::location::Location */ StagingXcmV4Location: { parents: "u8", interior: "StagingXcmV4Junctions", }, - /** Lookup127: staging_xcm::v4::junctions::Junctions */ + /** Lookup128: staging_xcm::v4::junctions::Junctions */ StagingXcmV4Junctions: { _enum: { Here: "Null", - X1: "[Lookup129;1]", - X2: "[Lookup129;2]", - X3: "[Lookup129;3]", - X4: "[Lookup129;4]", - X5: "[Lookup129;5]", - X6: "[Lookup129;6]", - X7: "[Lookup129;7]", - X8: "[Lookup129;8]", + X1: "[Lookup130;1]", + X2: "[Lookup130;2]", + X3: "[Lookup130;3]", + X4: "[Lookup130;4]", + X5: "[Lookup130;5]", + X6: "[Lookup130;6]", + X7: "[Lookup130;7]", + X8: "[Lookup130;8]", }, }, - /** Lookup129: staging_xcm::v4::junction::Junction */ + /** Lookup130: staging_xcm::v4::junction::Junction */ StagingXcmV4Junction: { _enum: { Parachain: "Compact", @@ -1606,7 +1611,7 @@ export default { GlobalConsensus: "StagingXcmV4JunctionNetworkId", }, }, - /** Lookup132: staging_xcm::v4::junction::NetworkId */ + /** Lookup133: staging_xcm::v4::junction::NetworkId */ StagingXcmV4JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1627,7 +1632,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup133: xcm::v3::junction::BodyId */ + /** Lookup134: xcm::v3::junction::BodyId */ XcmV3JunctionBodyId: { _enum: { Unit: "Null", @@ -1642,7 +1647,7 @@ export default { Treasury: "Null", }, }, - /** Lookup134: xcm::v3::junction::BodyPart */ + /** Lookup135: xcm::v3::junction::BodyPart */ XcmV3JunctionBodyPart: { _enum: { Voice: "Null", @@ -1663,15 +1668,15 @@ export default { }, }, }, - /** Lookup142: pallet_ethereum_xcm::RawOrigin */ + /** Lookup143: pallet_ethereum_xcm::RawOrigin */ PalletEthereumXcmRawOrigin: { _enum: { XcmEthereumTransaction: "H160", }, }, - /** Lookup143: sp_core::Void */ + /** Lookup144: sp_core::Void */ SpCoreVoid: "Null", - /** Lookup144: pallet_proxy::pallet::Call */ + /** Lookup145: pallet_proxy::pallet::Call */ PalletProxyCall: { _enum: { proxy: { @@ -1722,11 +1727,11 @@ export default { }, }, }, - /** Lookup146: pallet_maintenance_mode::pallet::Call */ + /** Lookup147: pallet_maintenance_mode::pallet::Call */ PalletMaintenanceModeCall: { _enum: ["enter_maintenance_mode", "resume_normal_operation"], }, - /** Lookup147: pallet_identity::pallet::Call */ + /** Lookup148: pallet_identity::pallet::Call */ PalletIdentityCall: { _enum: { add_registrar: { @@ -1809,7 +1814,7 @@ export default { }, }, }, - /** Lookup148: pallet_identity::legacy::IdentityInfo */ + /** Lookup149: pallet_identity::legacy::IdentityInfo */ PalletIdentityLegacyIdentityInfo: { additional: "Vec<(Data,Data)>", display: "Data", @@ -1821,7 +1826,7 @@ export default { image: "Data", twitter: "Data", }, - /** Lookup186: pallet_identity::types::Judgement */ + /** Lookup187: pallet_identity::types::Judgement */ PalletIdentityJudgement: { _enum: { Unknown: "Null", @@ -1833,9 +1838,9 @@ export default { Erroneous: "Null", }, }, - /** Lookup188: account::EthereumSignature */ + /** Lookup189: account::EthereumSignature */ AccountEthereumSignature: "[u8;65]", - /** Lookup190: pallet_multisig::pallet::Call */ + /** Lookup191: pallet_multisig::pallet::Call */ PalletMultisigCall: { _enum: { as_multi_threshold_1: { @@ -1864,7 +1869,7 @@ export default { }, }, }, - /** Lookup192: pallet_moonbeam_lazy_migrations::pallet::Call */ + /** Lookup193: pallet_moonbeam_lazy_migrations::pallet::Call */ PalletMoonbeamLazyMigrationsCall: { _enum: { __Unused0: "Null", @@ -1877,7 +1882,7 @@ export default { }, }, }, - /** Lookup195: pallet_evm::pallet::Call */ + /** Lookup196: pallet_evm::pallet::Call */ PalletEvmCall: { _enum: { withdraw: { @@ -1918,7 +1923,7 @@ export default { }, }, }, - /** Lookup201: pallet_ethereum::pallet::Call */ + /** Lookup202: pallet_ethereum::pallet::Call */ PalletEthereumCall: { _enum: { transact: { @@ -1926,7 +1931,7 @@ export default { }, }, }, - /** Lookup202: ethereum::transaction::TransactionV2 */ + /** Lookup203: ethereum::transaction::TransactionV2 */ EthereumTransactionTransactionV2: { _enum: { Legacy: "EthereumTransactionLegacyTransaction", @@ -1934,7 +1939,7 @@ export default { EIP1559: "EthereumTransactionEip1559Transaction", }, }, - /** Lookup203: ethereum::transaction::LegacyTransaction */ + /** Lookup204: ethereum::transaction::LegacyTransaction */ EthereumTransactionLegacyTransaction: { nonce: "U256", gasPrice: "U256", @@ -1944,20 +1949,20 @@ export default { input: "Bytes", signature: "EthereumTransactionTransactionSignature", }, - /** Lookup204: ethereum::transaction::TransactionAction */ + /** Lookup205: ethereum::transaction::TransactionAction */ EthereumTransactionTransactionAction: { _enum: { Call: "H160", Create: "Null", }, }, - /** Lookup205: ethereum::transaction::TransactionSignature */ + /** Lookup206: ethereum::transaction::TransactionSignature */ EthereumTransactionTransactionSignature: { v: "u64", r: "H256", s: "H256", }, - /** Lookup207: ethereum::transaction::EIP2930Transaction */ + /** Lookup208: ethereum::transaction::EIP2930Transaction */ EthereumTransactionEip2930Transaction: { chainId: "u64", nonce: "U256", @@ -1971,12 +1976,12 @@ export default { r: "H256", s: "H256", }, - /** Lookup209: ethereum::transaction::AccessListItem */ + /** Lookup210: ethereum::transaction::AccessListItem */ EthereumTransactionAccessListItem: { address: "H160", storageKeys: "Vec", }, - /** Lookup210: ethereum::transaction::EIP1559Transaction */ + /** Lookup211: ethereum::transaction::EIP1559Transaction */ EthereumTransactionEip1559Transaction: { chainId: "u64", nonce: "U256", @@ -1991,7 +1996,7 @@ export default { r: "H256", s: "H256", }, - /** Lookup211: pallet_scheduler::pallet::Call */ + /** Lookup212: pallet_scheduler::pallet::Call */ PalletSchedulerCall: { _enum: { schedule: { @@ -2045,7 +2050,7 @@ export default { }, }, }, - /** Lookup213: pallet_preimage::pallet::Call */ + /** Lookup214: pallet_preimage::pallet::Call */ PalletPreimageCall: { _enum: { note_preimage: { @@ -2074,7 +2079,7 @@ export default { }, }, }, - /** Lookup214: pallet_conviction_voting::pallet::Call */ + /** Lookup215: pallet_conviction_voting::pallet::Call */ PalletConvictionVotingCall: { _enum: { vote: { @@ -2105,7 +2110,7 @@ export default { }, }, }, - /** Lookup215: pallet_conviction_voting::vote::AccountVote */ + /** Lookup216: pallet_conviction_voting::vote::AccountVote */ PalletConvictionVotingVoteAccountVote: { _enum: { Standard: { @@ -2123,11 +2128,11 @@ export default { }, }, }, - /** Lookup217: pallet_conviction_voting::conviction::Conviction */ + /** Lookup218: pallet_conviction_voting::conviction::Conviction */ PalletConvictionVotingConviction: { _enum: ["None", "Locked1x", "Locked2x", "Locked3x", "Locked4x", "Locked5x", "Locked6x"], }, - /** Lookup219: pallet_referenda::pallet::Call */ + /** Lookup220: pallet_referenda::pallet::Call */ PalletReferendaCall: { _enum: { submit: { @@ -2162,14 +2167,14 @@ export default { }, }, }, - /** Lookup220: frame_support::traits::schedule::DispatchTime */ + /** Lookup221: frame_support::traits::schedule::DispatchTime */ FrameSupportScheduleDispatchTime: { _enum: { At: "u32", After: "u32", }, }, - /** Lookup222: pallet_whitelist::pallet::Call */ + /** Lookup223: pallet_whitelist::pallet::Call */ PalletWhitelistCall: { _enum: { whitelist_call: { @@ -2188,7 +2193,7 @@ export default { }, }, }, - /** Lookup223: pallet_collective::pallet::Call */ + /** Lookup224: pallet_collective::pallet::Call */ PalletCollectiveCall: { _enum: { set_members: { @@ -2222,7 +2227,7 @@ export default { }, }, }, - /** Lookup225: pallet_treasury::pallet::Call */ + /** Lookup226: pallet_treasury::pallet::Call */ PalletTreasuryCall: { _enum: { propose_spend: { @@ -2259,7 +2264,7 @@ export default { }, }, }, - /** Lookup227: pallet_crowdloan_rewards::pallet::Call */ + /** Lookup228: pallet_crowdloan_rewards::pallet::Call */ PalletCrowdloanRewardsCall: { _enum: { associate_native_identity: { @@ -2284,7 +2289,7 @@ export default { }, }, }, - /** Lookup228: sp_runtime::MultiSignature */ + /** Lookup229: sp_runtime::MultiSignature */ SpRuntimeMultiSignature: { _enum: { Ed25519: "[u8;64]", @@ -2292,9 +2297,9 @@ export default { Ecdsa: "[u8;65]", }, }, - /** Lookup234: cumulus_pallet_dmp_queue::pallet::Call */ + /** Lookup235: cumulus_pallet_dmp_queue::pallet::Call */ CumulusPalletDmpQueueCall: "Null", - /** Lookup235: pallet_xcm::pallet::Call */ + /** Lookup236: pallet_xcm::pallet::Call */ PalletXcmCall: { _enum: { send: { @@ -2369,7 +2374,7 @@ export default { }, }, }, - /** Lookup236: xcm::VersionedLocation */ + /** Lookup237: xcm::VersionedLocation */ XcmVersionedLocation: { _enum: { __Unused0: "Null", @@ -2379,12 +2384,12 @@ export default { V4: "StagingXcmV4Location", }, }, - /** Lookup237: xcm::v2::multilocation::MultiLocation */ + /** Lookup238: xcm::v2::multilocation::MultiLocation */ XcmV2MultiLocation: { parents: "u8", interior: "XcmV2MultilocationJunctions", }, - /** Lookup238: xcm::v2::multilocation::Junctions */ + /** Lookup239: xcm::v2::multilocation::Junctions */ XcmV2MultilocationJunctions: { _enum: { Here: "Null", @@ -2398,7 +2403,7 @@ export default { X8: "(XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction)", }, }, - /** Lookup239: xcm::v2::junction::Junction */ + /** Lookup240: xcm::v2::junction::Junction */ XcmV2Junction: { _enum: { Parachain: "Compact", @@ -2424,7 +2429,7 @@ export default { }, }, }, - /** Lookup240: xcm::v2::NetworkId */ + /** Lookup241: xcm::v2::NetworkId */ XcmV2NetworkId: { _enum: { Any: "Null", @@ -2433,7 +2438,7 @@ export default { Kusama: "Null", }, }, - /** Lookup242: xcm::v2::BodyId */ + /** Lookup243: xcm::v2::BodyId */ XcmV2BodyId: { _enum: { Unit: "Null", @@ -2448,7 +2453,7 @@ export default { Treasury: "Null", }, }, - /** Lookup243: xcm::v2::BodyPart */ + /** Lookup244: xcm::v2::BodyPart */ XcmV2BodyPart: { _enum: { Voice: "Null", @@ -2469,12 +2474,12 @@ export default { }, }, }, - /** Lookup244: staging_xcm::v3::multilocation::MultiLocation */ + /** Lookup245: staging_xcm::v3::multilocation::MultiLocation */ StagingXcmV3MultiLocation: { parents: "u8", interior: "XcmV3Junctions", }, - /** Lookup245: xcm::v3::junctions::Junctions */ + /** Lookup246: xcm::v3::junctions::Junctions */ XcmV3Junctions: { _enum: { Here: "Null", @@ -2488,7 +2493,7 @@ export default { X8: "(XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction)", }, }, - /** Lookup246: xcm::v3::junction::Junction */ + /** Lookup247: xcm::v3::junction::Junction */ XcmV3Junction: { _enum: { Parachain: "Compact", @@ -2518,7 +2523,7 @@ export default { GlobalConsensus: "XcmV3JunctionNetworkId", }, }, - /** Lookup248: xcm::v3::junction::NetworkId */ + /** Lookup249: xcm::v3::junction::NetworkId */ XcmV3JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -2539,7 +2544,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup249: xcm::VersionedXcm */ + /** Lookup250: xcm::VersionedXcm */ XcmVersionedXcm: { _enum: { __Unused0: "Null", @@ -2549,9 +2554,9 @@ export default { V4: "StagingXcmV4Xcm", }, }, - /** Lookup250: xcm::v2::Xcm */ + /** Lookup251: xcm::v2::Xcm */ XcmV2Xcm: "Vec", - /** Lookup252: xcm::v2::Instruction */ + /** Lookup253: xcm::v2::Instruction */ XcmV2Instruction: { _enum: { WithdrawAsset: "XcmV2MultiassetMultiAssets", @@ -2647,28 +2652,28 @@ export default { UnsubscribeVersion: "Null", }, }, - /** Lookup253: xcm::v2::multiasset::MultiAssets */ + /** Lookup254: xcm::v2::multiasset::MultiAssets */ XcmV2MultiassetMultiAssets: "Vec", - /** Lookup255: xcm::v2::multiasset::MultiAsset */ + /** Lookup256: xcm::v2::multiasset::MultiAsset */ XcmV2MultiAsset: { id: "XcmV2MultiassetAssetId", fun: "XcmV2MultiassetFungibility", }, - /** Lookup256: xcm::v2::multiasset::AssetId */ + /** Lookup257: xcm::v2::multiasset::AssetId */ XcmV2MultiassetAssetId: { _enum: { Concrete: "XcmV2MultiLocation", Abstract: "Bytes", }, }, - /** Lookup257: xcm::v2::multiasset::Fungibility */ + /** Lookup258: xcm::v2::multiasset::Fungibility */ XcmV2MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV2MultiassetAssetInstance", }, }, - /** Lookup258: xcm::v2::multiasset::AssetInstance */ + /** Lookup259: xcm::v2::multiasset::AssetInstance */ XcmV2MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2680,7 +2685,7 @@ export default { Blob: "Bytes", }, }, - /** Lookup259: xcm::v2::Response */ + /** Lookup260: xcm::v2::Response */ XcmV2Response: { _enum: { Null: "Null", @@ -2689,7 +2694,7 @@ export default { Version: "u32", }, }, - /** Lookup262: xcm::v2::traits::Error */ + /** Lookup263: xcm::v2::traits::Error */ XcmV2TraitsError: { _enum: { Overflow: "Null", @@ -2720,22 +2725,22 @@ export default { WeightNotComputable: "Null", }, }, - /** Lookup263: xcm::v2::OriginKind */ + /** Lookup264: xcm::v2::OriginKind */ XcmV2OriginKind: { _enum: ["Native", "SovereignAccount", "Superuser", "Xcm"], }, - /** Lookup264: xcm::double_encoded::DoubleEncoded */ + /** Lookup265: xcm::double_encoded::DoubleEncoded */ XcmDoubleEncoded: { encoded: "Bytes", }, - /** Lookup265: xcm::v2::multiasset::MultiAssetFilter */ + /** Lookup266: xcm::v2::multiasset::MultiAssetFilter */ XcmV2MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV2MultiassetMultiAssets", Wild: "XcmV2MultiassetWildMultiAsset", }, }, - /** Lookup266: xcm::v2::multiasset::WildMultiAsset */ + /** Lookup267: xcm::v2::multiasset::WildMultiAsset */ XcmV2MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -2745,20 +2750,20 @@ export default { }, }, }, - /** Lookup267: xcm::v2::multiasset::WildFungibility */ + /** Lookup268: xcm::v2::multiasset::WildFungibility */ XcmV2MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup268: xcm::v2::WeightLimit */ + /** Lookup269: xcm::v2::WeightLimit */ XcmV2WeightLimit: { _enum: { Unlimited: "Null", Limited: "Compact", }, }, - /** Lookup269: xcm::v3::Xcm */ + /** Lookup270: xcm::v3::Xcm */ XcmV3Xcm: "Vec", - /** Lookup271: xcm::v3::Instruction */ + /** Lookup272: xcm::v3::Instruction */ XcmV3Instruction: { _enum: { WithdrawAsset: "XcmV3MultiassetMultiAssets", @@ -2898,28 +2903,28 @@ export default { }, }, }, - /** Lookup272: xcm::v3::multiasset::MultiAssets */ + /** Lookup273: xcm::v3::multiasset::MultiAssets */ XcmV3MultiassetMultiAssets: "Vec", - /** Lookup274: xcm::v3::multiasset::MultiAsset */ + /** Lookup275: xcm::v3::multiasset::MultiAsset */ XcmV3MultiAsset: { id: "XcmV3MultiassetAssetId", fun: "XcmV3MultiassetFungibility", }, - /** Lookup275: xcm::v3::multiasset::AssetId */ + /** Lookup276: xcm::v3::multiasset::AssetId */ XcmV3MultiassetAssetId: { _enum: { Concrete: "StagingXcmV3MultiLocation", Abstract: "[u8;32]", }, }, - /** Lookup276: xcm::v3::multiasset::Fungibility */ + /** Lookup277: xcm::v3::multiasset::Fungibility */ XcmV3MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV3MultiassetAssetInstance", }, }, - /** Lookup277: xcm::v3::multiasset::AssetInstance */ + /** Lookup278: xcm::v3::multiasset::AssetInstance */ XcmV3MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2930,7 +2935,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup278: xcm::v3::Response */ + /** Lookup279: xcm::v3::Response */ XcmV3Response: { _enum: { Null: "Null", @@ -2941,7 +2946,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup281: xcm::v3::traits::Error */ + /** Lookup282: xcm::v3::traits::Error */ XcmV3TraitsError: { _enum: { Overflow: "Null", @@ -2986,7 +2991,7 @@ export default { ExceedsStackLimit: "Null", }, }, - /** Lookup283: xcm::v3::PalletInfo */ + /** Lookup284: xcm::v3::PalletInfo */ XcmV3PalletInfo: { index: "Compact", name: "Bytes", @@ -2995,7 +3000,7 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup286: xcm::v3::MaybeErrorCode */ + /** Lookup287: xcm::v3::MaybeErrorCode */ XcmV3MaybeErrorCode: { _enum: { Success: "Null", @@ -3003,20 +3008,20 @@ export default { TruncatedError: "Bytes", }, }, - /** Lookup289: xcm::v3::QueryResponseInfo */ + /** Lookup290: xcm::v3::QueryResponseInfo */ XcmV3QueryResponseInfo: { destination: "StagingXcmV3MultiLocation", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup290: xcm::v3::multiasset::MultiAssetFilter */ + /** Lookup291: xcm::v3::multiasset::MultiAssetFilter */ XcmV3MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV3MultiassetMultiAssets", Wild: "XcmV3MultiassetWildMultiAsset", }, }, - /** Lookup291: xcm::v3::multiasset::WildMultiAsset */ + /** Lookup292: xcm::v3::multiasset::WildMultiAsset */ XcmV3MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3032,20 +3037,20 @@ export default { }, }, }, - /** Lookup292: xcm::v3::multiasset::WildFungibility */ + /** Lookup293: xcm::v3::multiasset::WildFungibility */ XcmV3MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup293: xcm::v3::WeightLimit */ + /** Lookup294: xcm::v3::WeightLimit */ XcmV3WeightLimit: { _enum: { Unlimited: "Null", Limited: "SpWeightsWeightV2Weight", }, }, - /** Lookup294: staging_xcm::v4::Xcm */ + /** Lookup295: staging_xcm::v4::Xcm */ StagingXcmV4Xcm: "Vec", - /** Lookup296: staging_xcm::v4::Instruction */ + /** Lookup297: staging_xcm::v4::Instruction */ StagingXcmV4Instruction: { _enum: { WithdrawAsset: "StagingXcmV4AssetAssets", @@ -3185,23 +3190,23 @@ export default { }, }, }, - /** Lookup297: staging_xcm::v4::asset::Assets */ + /** Lookup298: staging_xcm::v4::asset::Assets */ StagingXcmV4AssetAssets: "Vec", - /** Lookup299: staging_xcm::v4::asset::Asset */ + /** Lookup300: staging_xcm::v4::asset::Asset */ StagingXcmV4Asset: { id: "StagingXcmV4AssetAssetId", fun: "StagingXcmV4AssetFungibility", }, - /** Lookup300: staging_xcm::v4::asset::AssetId */ + /** Lookup301: staging_xcm::v4::asset::AssetId */ StagingXcmV4AssetAssetId: "StagingXcmV4Location", - /** Lookup301: staging_xcm::v4::asset::Fungibility */ + /** Lookup302: staging_xcm::v4::asset::Fungibility */ StagingXcmV4AssetFungibility: { _enum: { Fungible: "Compact", NonFungible: "StagingXcmV4AssetAssetInstance", }, }, - /** Lookup302: staging_xcm::v4::asset::AssetInstance */ + /** Lookup303: staging_xcm::v4::asset::AssetInstance */ StagingXcmV4AssetAssetInstance: { _enum: { Undefined: "Null", @@ -3212,7 +3217,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup303: staging_xcm::v4::Response */ + /** Lookup304: staging_xcm::v4::Response */ StagingXcmV4Response: { _enum: { Null: "Null", @@ -3223,7 +3228,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup305: staging_xcm::v4::PalletInfo */ + /** Lookup306: staging_xcm::v4::PalletInfo */ StagingXcmV4PalletInfo: { index: "Compact", name: "Bytes", @@ -3232,20 +3237,20 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup309: staging_xcm::v4::QueryResponseInfo */ + /** Lookup310: staging_xcm::v4::QueryResponseInfo */ StagingXcmV4QueryResponseInfo: { destination: "StagingXcmV4Location", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup310: staging_xcm::v4::asset::AssetFilter */ + /** Lookup311: staging_xcm::v4::asset::AssetFilter */ StagingXcmV4AssetAssetFilter: { _enum: { Definite: "StagingXcmV4AssetAssets", Wild: "StagingXcmV4AssetWildAsset", }, }, - /** Lookup311: staging_xcm::v4::asset::WildAsset */ + /** Lookup312: staging_xcm::v4::asset::WildAsset */ StagingXcmV4AssetWildAsset: { _enum: { All: "Null", @@ -3261,11 +3266,11 @@ export default { }, }, }, - /** Lookup312: staging_xcm::v4::asset::WildFungibility */ + /** Lookup313: staging_xcm::v4::asset::WildFungibility */ StagingXcmV4AssetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup313: xcm::VersionedAssets */ + /** Lookup314: xcm::VersionedAssets */ XcmVersionedAssets: { _enum: { __Unused0: "Null", @@ -3275,7 +3280,7 @@ export default { V4: "StagingXcmV4AssetAssets", }, }, - /** Lookup325: staging_xcm_executor::traits::asset_transfer::TransferType */ + /** Lookup326: staging_xcm_executor::traits::asset_transfer::TransferType */ StagingXcmExecutorAssetTransferTransferType: { _enum: { Teleport: "Null", @@ -3284,7 +3289,7 @@ export default { RemoteReserve: "XcmVersionedLocation", }, }, - /** Lookup326: xcm::VersionedAssetId */ + /** Lookup327: xcm::VersionedAssetId */ XcmVersionedAssetId: { _enum: { __Unused0: "Null", @@ -3294,7 +3299,7 @@ export default { V4: "StagingXcmV4AssetAssetId", }, }, - /** Lookup327: pallet_assets::pallet::Call */ + /** Lookup328: pallet_assets::pallet::Call */ PalletAssetsCall: { _enum: { create: { @@ -3444,7 +3449,7 @@ export default { }, }, }, - /** Lookup328: pallet_asset_manager::pallet::Call */ + /** Lookup329: pallet_asset_manager::pallet::Call */ PalletAssetManagerCall: { _enum: { register_foreign_asset: { @@ -3471,20 +3476,20 @@ export default { }, }, }, - /** Lookup329: moonbeam_runtime::xcm_config::AssetType */ + /** Lookup330: moonbeam_runtime::xcm_config::AssetType */ MoonbeamRuntimeXcmConfigAssetType: { _enum: { Xcm: "StagingXcmV3MultiLocation", }, }, - /** Lookup330: moonbeam_runtime::asset_config::AssetRegistrarMetadata */ + /** Lookup331: moonbeam_runtime::asset_config::AssetRegistrarMetadata */ MoonbeamRuntimeAssetConfigAssetRegistrarMetadata: { name: "Bytes", symbol: "Bytes", decimals: "u8", isFrozen: "bool", }, - /** Lookup331: orml_xtokens::module::Call */ + /** Lookup332: orml_xtokens::module::Call */ OrmlXtokensModuleCall: { _enum: { transfer: { @@ -3525,7 +3530,7 @@ export default { }, }, }, - /** Lookup332: moonbeam_runtime::xcm_config::CurrencyId */ + /** Lookup333: moonbeam_runtime::xcm_config::CurrencyId */ MoonbeamRuntimeXcmConfigCurrencyId: { _enum: { SelfReserve: "Null", @@ -3535,7 +3540,7 @@ export default { }, }, }, - /** Lookup333: xcm::VersionedAsset */ + /** Lookup334: xcm::VersionedAsset */ XcmVersionedAsset: { _enum: { __Unused0: "Null", @@ -3545,7 +3550,7 @@ export default { V4: "StagingXcmV4Asset", }, }, - /** Lookup336: pallet_xcm_transactor::pallet::Call */ + /** Lookup337: pallet_xcm_transactor::pallet::Call */ PalletXcmTransactorCall: { _enum: { register: { @@ -3602,28 +3607,28 @@ export default { }, }, }, - /** Lookup337: moonbeam_runtime::xcm_config::Transactors */ + /** Lookup338: moonbeam_runtime::xcm_config::Transactors */ MoonbeamRuntimeXcmConfigTransactors: { _enum: ["Relay"], }, - /** Lookup338: pallet_xcm_transactor::pallet::CurrencyPayment */ + /** Lookup339: pallet_xcm_transactor::pallet::CurrencyPayment */ PalletXcmTransactorCurrencyPayment: { currency: "PalletXcmTransactorCurrency", feeAmount: "Option", }, - /** Lookup339: pallet_xcm_transactor::pallet::Currency */ + /** Lookup340: pallet_xcm_transactor::pallet::Currency */ PalletXcmTransactorCurrency: { _enum: { AsCurrencyId: "MoonbeamRuntimeXcmConfigCurrencyId", AsMultiLocation: "XcmVersionedLocation", }, }, - /** Lookup341: pallet_xcm_transactor::pallet::TransactWeights */ + /** Lookup342: pallet_xcm_transactor::pallet::TransactWeights */ PalletXcmTransactorTransactWeights: { transactRequiredWeightAtMost: "SpWeightsWeightV2Weight", overallWeight: "Option", }, - /** Lookup344: pallet_xcm_transactor::pallet::HrmpOperation */ + /** Lookup345: pallet_xcm_transactor::pallet::HrmpOperation */ PalletXcmTransactorHrmpOperation: { _enum: { InitOpen: "PalletXcmTransactorHrmpInitParams", @@ -3637,18 +3642,18 @@ export default { }, }, }, - /** Lookup345: pallet_xcm_transactor::pallet::HrmpInitParams */ + /** Lookup346: pallet_xcm_transactor::pallet::HrmpInitParams */ PalletXcmTransactorHrmpInitParams: { paraId: "u32", proposedMaxCapacity: "u32", proposedMaxMessageSize: "u32", }, - /** Lookup346: polkadot_parachain_primitives::primitives::HrmpChannelId */ + /** Lookup347: polkadot_parachain_primitives::primitives::HrmpChannelId */ PolkadotParachainPrimitivesPrimitivesHrmpChannelId: { sender: "u32", recipient: "u32", }, - /** Lookup347: pallet_ethereum_xcm::pallet::Call */ + /** Lookup348: pallet_ethereum_xcm::pallet::Call */ PalletEthereumXcmCall: { _enum: { transact: { @@ -3667,14 +3672,14 @@ export default { }, }, }, - /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ + /** Lookup349: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ XcmPrimitivesEthereumXcmEthereumXcmTransaction: { _enum: { V1: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV1", V2: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV2", }, }, - /** Lookup349: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ + /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV1: { gasLimit: "U256", feePayment: "XcmPrimitivesEthereumXcmEthereumXcmFee", @@ -3683,19 +3688,19 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmFee */ + /** Lookup351: xcm_primitives::ethereum_xcm::EthereumXcmFee */ XcmPrimitivesEthereumXcmEthereumXcmFee: { _enum: { Manual: "XcmPrimitivesEthereumXcmManualEthereumXcmFee", Auto: "Null", }, }, - /** Lookup351: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ + /** Lookup352: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ XcmPrimitivesEthereumXcmManualEthereumXcmFee: { gasPrice: "Option", maxFeePerGas: "Option", }, - /** Lookup354: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ + /** Lookup355: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV2: { gasLimit: "U256", action: "EthereumTransactionTransactionAction", @@ -3703,7 +3708,7 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup356: pallet_message_queue::pallet::Call */ + /** Lookup357: pallet_message_queue::pallet::Call */ PalletMessageQueueCall: { _enum: { reap_page: { @@ -3718,7 +3723,7 @@ export default { }, }, }, - /** Lookup357: cumulus_primitives_core::AggregateMessageOrigin */ + /** Lookup358: cumulus_primitives_core::AggregateMessageOrigin */ CumulusPrimitivesCoreAggregateMessageOrigin: { _enum: { Here: "Null", @@ -3726,7 +3731,7 @@ export default { Sibling: "u32", }, }, - /** Lookup358: pallet_moonbeam_foreign_assets::pallet::Call */ + /** Lookup359: pallet_moonbeam_foreign_assets::pallet::Call */ PalletMoonbeamForeignAssetsCall: { _enum: { create_foreign_asset: { @@ -3749,7 +3754,7 @@ export default { }, }, }, - /** Lookup360: pallet_xcm_weight_trader::pallet::Call */ + /** Lookup361: pallet_xcm_weight_trader::pallet::Call */ PalletXcmWeightTraderCall: { _enum: { add_asset: { @@ -3771,7 +3776,7 @@ export default { }, }, }, - /** Lookup361: pallet_emergency_para_xcm::pallet::Call */ + /** Lookup362: pallet_emergency_para_xcm::pallet::Call */ PalletEmergencyParaXcmCall: { _enum: { paused_to_normal: "Null", @@ -3780,19 +3785,19 @@ export default { }, }, }, - /** Lookup362: pallet_randomness::pallet::Call */ + /** Lookup363: pallet_randomness::pallet::Call */ PalletRandomnessCall: { _enum: ["set_babe_randomness_results"], }, - /** Lookup363: sp_runtime::traits::BlakeTwo256 */ + /** Lookup364: sp_runtime::traits::BlakeTwo256 */ SpRuntimeBlakeTwo256: "Null", - /** Lookup365: pallet_conviction_voting::types::Tally */ + /** Lookup366: pallet_conviction_voting::types::Tally */ PalletConvictionVotingTally: { ayes: "u128", nays: "u128", support: "u128", }, - /** Lookup366: pallet_whitelist::pallet::Event */ + /** Lookup367: pallet_whitelist::pallet::Event */ PalletWhitelistEvent: { _enum: { CallWhitelisted: { @@ -3807,17 +3812,17 @@ export default { }, }, }, - /** Lookup368: frame_support::dispatch::PostDispatchInfo */ + /** Lookup369: frame_support::dispatch::PostDispatchInfo */ FrameSupportDispatchPostDispatchInfo: { actualWeight: "Option", paysFee: "FrameSupportDispatchPays", }, - /** Lookup369: sp_runtime::DispatchErrorWithPostInfo */ + /** Lookup370: sp_runtime::DispatchErrorWithPostInfo */ SpRuntimeDispatchErrorWithPostInfo: { postInfo: "FrameSupportDispatchPostDispatchInfo", error: "SpRuntimeDispatchError", }, - /** Lookup370: pallet_collective::pallet::Event */ + /** Lookup371: pallet_collective::pallet::Event */ PalletCollectiveEvent: { _enum: { Proposed: { @@ -3854,7 +3859,7 @@ export default { }, }, }, - /** Lookup372: pallet_treasury::pallet::Event */ + /** Lookup373: pallet_treasury::pallet::Event */ PalletTreasuryEvent: { _enum: { Proposed: { @@ -3914,7 +3919,7 @@ export default { }, }, }, - /** Lookup373: pallet_crowdloan_rewards::pallet::Event */ + /** Lookup374: pallet_crowdloan_rewards::pallet::Event */ PalletCrowdloanRewardsEvent: { _enum: { InitialPaymentMade: "(AccountId20,u128)", @@ -3925,7 +3930,7 @@ export default { InitializedAccountWithNotEnoughContribution: "([u8;32],Option,u128)", }, }, - /** Lookup374: cumulus_pallet_xcmp_queue::pallet::Event */ + /** Lookup375: cumulus_pallet_xcmp_queue::pallet::Event */ CumulusPalletXcmpQueueEvent: { _enum: { XcmpMessageSent: { @@ -3933,7 +3938,7 @@ export default { }, }, }, - /** Lookup375: cumulus_pallet_xcm::pallet::Event */ + /** Lookup376: cumulus_pallet_xcm::pallet::Event */ CumulusPalletXcmEvent: { _enum: { InvalidFormat: "[u8;32]", @@ -3941,7 +3946,7 @@ export default { ExecutedDownward: "([u8;32],StagingXcmV4TraitsOutcome)", }, }, - /** Lookup376: staging_xcm::v4::traits::Outcome */ + /** Lookup377: staging_xcm::v4::traits::Outcome */ StagingXcmV4TraitsOutcome: { _enum: { Complete: { @@ -3956,7 +3961,7 @@ export default { }, }, }, - /** Lookup377: cumulus_pallet_dmp_queue::pallet::Event */ + /** Lookup378: cumulus_pallet_dmp_queue::pallet::Event */ CumulusPalletDmpQueueEvent: { _enum: { StartedExport: "Null", @@ -3984,7 +3989,7 @@ export default { }, }, }, - /** Lookup378: pallet_xcm::pallet::Event */ + /** Lookup379: pallet_xcm::pallet::Event */ PalletXcmEvent: { _enum: { Attempted: { @@ -4107,7 +4112,7 @@ export default { }, }, }, - /** Lookup379: pallet_assets::pallet::Event */ + /** Lookup380: pallet_assets::pallet::Event */ PalletAssetsEvent: { _enum: { Created: { @@ -4221,7 +4226,7 @@ export default { }, }, }, - /** Lookup380: pallet_asset_manager::pallet::Event */ + /** Lookup381: pallet_asset_manager::pallet::Event */ PalletAssetManagerEvent: { _enum: { ForeignAssetRegistered: { @@ -4250,7 +4255,7 @@ export default { }, }, }, - /** Lookup381: orml_xtokens::module::Event */ + /** Lookup382: orml_xtokens::module::Event */ OrmlXtokensModuleEvent: { _enum: { TransferredAssets: { @@ -4261,7 +4266,7 @@ export default { }, }, }, - /** Lookup382: pallet_xcm_transactor::pallet::Event */ + /** Lookup383: pallet_xcm_transactor::pallet::Event */ PalletXcmTransactorEvent: { _enum: { TransactedDerivative: { @@ -4309,13 +4314,13 @@ export default { }, }, }, - /** Lookup383: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ + /** Lookup384: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ PalletXcmTransactorRemoteTransactInfoWithMaxWeight: { transactExtraWeight: "SpWeightsWeightV2Weight", maxWeight: "SpWeightsWeightV2Weight", transactExtraWeightSigned: "Option", }, - /** Lookup384: pallet_ethereum_xcm::pallet::Event */ + /** Lookup385: pallet_ethereum_xcm::pallet::Event */ PalletEthereumXcmEvent: { _enum: { ExecutedFromXcm: { @@ -4324,7 +4329,7 @@ export default { }, }, }, - /** Lookup385: pallet_message_queue::pallet::Event */ + /** Lookup386: pallet_message_queue::pallet::Event */ PalletMessageQueueEvent: { _enum: { ProcessingFailed: { @@ -4350,7 +4355,7 @@ export default { }, }, }, - /** Lookup386: frame_support::traits::messages::ProcessMessageError */ + /** Lookup387: frame_support::traits::messages::ProcessMessageError */ FrameSupportMessagesProcessMessageError: { _enum: { BadFormat: "Null", @@ -4360,7 +4365,7 @@ export default { Yield: "Null", }, }, - /** Lookup387: pallet_moonbeam_foreign_assets::pallet::Event */ + /** Lookup388: pallet_moonbeam_foreign_assets::pallet::Event */ PalletMoonbeamForeignAssetsEvent: { _enum: { ForeignAssetCreated: { @@ -4382,7 +4387,7 @@ export default { }, }, }, - /** Lookup388: pallet_xcm_weight_trader::pallet::Event */ + /** Lookup389: pallet_xcm_weight_trader::pallet::Event */ PalletXcmWeightTraderEvent: { _enum: { SupportedAssetAdded: { @@ -4404,11 +4409,11 @@ export default { }, }, }, - /** Lookup389: pallet_emergency_para_xcm::pallet::Event */ + /** Lookup390: pallet_emergency_para_xcm::pallet::Event */ PalletEmergencyParaXcmEvent: { _enum: ["EnteredPausedXcmMode", "NormalXcmOperationResumed"], }, - /** Lookup390: pallet_randomness::pallet::Event */ + /** Lookup391: pallet_randomness::pallet::Event */ PalletRandomnessEvent: { _enum: { RandomnessRequestedBabeEpoch: { @@ -4443,7 +4448,7 @@ export default { }, }, }, - /** Lookup391: frame_system::Phase */ + /** Lookup392: frame_system::Phase */ FrameSystemPhase: { _enum: { ApplyExtrinsic: "u32", @@ -4451,51 +4456,51 @@ export default { Initialization: "Null", }, }, - /** Lookup393: frame_system::LastRuntimeUpgradeInfo */ + /** Lookup394: frame_system::LastRuntimeUpgradeInfo */ FrameSystemLastRuntimeUpgradeInfo: { specVersion: "Compact", specName: "Text", }, - /** Lookup394: frame_system::CodeUpgradeAuthorization */ + /** Lookup395: frame_system::CodeUpgradeAuthorization */ FrameSystemCodeUpgradeAuthorization: { codeHash: "H256", checkVersion: "bool", }, - /** Lookup395: frame_system::limits::BlockWeights */ + /** Lookup396: frame_system::limits::BlockWeights */ FrameSystemLimitsBlockWeights: { baseBlock: "SpWeightsWeightV2Weight", maxBlock: "SpWeightsWeightV2Weight", perClass: "FrameSupportDispatchPerDispatchClassWeightsPerClass", }, - /** Lookup396: frame_support::dispatch::PerDispatchClass */ + /** Lookup397: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassWeightsPerClass: { normal: "FrameSystemLimitsWeightsPerClass", operational: "FrameSystemLimitsWeightsPerClass", mandatory: "FrameSystemLimitsWeightsPerClass", }, - /** Lookup397: frame_system::limits::WeightsPerClass */ + /** Lookup398: frame_system::limits::WeightsPerClass */ FrameSystemLimitsWeightsPerClass: { baseExtrinsic: "SpWeightsWeightV2Weight", maxExtrinsic: "Option", maxTotal: "Option", reserved: "Option", }, - /** Lookup398: frame_system::limits::BlockLength */ + /** Lookup399: frame_system::limits::BlockLength */ FrameSystemLimitsBlockLength: { max: "FrameSupportDispatchPerDispatchClassU32", }, - /** Lookup399: frame_support::dispatch::PerDispatchClass */ + /** Lookup400: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassU32: { normal: "u32", operational: "u32", mandatory: "u32", }, - /** Lookup400: sp_weights::RuntimeDbWeight */ + /** Lookup401: sp_weights::RuntimeDbWeight */ SpWeightsRuntimeDbWeight: { read: "u64", write: "u64", }, - /** Lookup401: sp_version::RuntimeVersion */ + /** Lookup402: sp_version::RuntimeVersion */ SpVersionRuntimeVersion: { specName: "Text", implName: "Text", @@ -4506,7 +4511,7 @@ export default { transactionVersion: "u32", stateVersion: "u8", }, - /** Lookup405: frame_system::pallet::Error */ + /** Lookup406: frame_system::pallet::Error */ FrameSystemError: { _enum: [ "InvalidSpecName", @@ -4520,38 +4525,38 @@ export default { "Unauthorized", ], }, - /** Lookup407: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ + /** Lookup408: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ CumulusPalletParachainSystemUnincludedSegmentAncestor: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", paraHeadHash: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup408: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ + /** Lookup409: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth: { umpMsgCount: "u32", umpTotalBytes: "u32", hrmpOutgoing: "BTreeMap", }, - /** Lookup410: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ + /** Lookup411: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate: { msgCount: "u32", totalBytes: "u32", }, - /** Lookup414: polkadot_primitives::v7::UpgradeGoAhead */ + /** Lookup415: polkadot_primitives::v7::UpgradeGoAhead */ PolkadotPrimitivesV7UpgradeGoAhead: { _enum: ["Abort", "GoAhead"], }, - /** Lookup415: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ + /** Lookup416: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ CumulusPalletParachainSystemUnincludedSegmentSegmentTracker: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", hrmpWatermark: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup417: polkadot_primitives::v7::UpgradeRestriction */ + /** Lookup418: polkadot_primitives::v7::UpgradeRestriction */ PolkadotPrimitivesV7UpgradeRestriction: { _enum: ["Present"], }, - /** Lookup418: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ + /** Lookup419: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot: { dmqMqcHead: "H256", relayDispatchQueueRemainingCapacity: @@ -4559,12 +4564,12 @@ export default { ingressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", egressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", }, - /** Lookup419: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ + /** Lookup420: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity: { remainingCount: "u32", remainingSize: "u32", }, - /** Lookup422: polkadot_primitives::v7::AbridgedHrmpChannel */ + /** Lookup423: polkadot_primitives::v7::AbridgedHrmpChannel */ PolkadotPrimitivesV7AbridgedHrmpChannel: { maxCapacity: "u32", maxTotalSize: "u32", @@ -4573,7 +4578,7 @@ export default { totalSize: "u32", mqcHead: "Option", }, - /** Lookup423: polkadot_primitives::v7::AbridgedHostConfiguration */ + /** Lookup424: polkadot_primitives::v7::AbridgedHostConfiguration */ PolkadotPrimitivesV7AbridgedHostConfiguration: { maxCodeSize: "u32", maxHeadDataSize: "u32", @@ -4586,17 +4591,17 @@ export default { validationUpgradeDelay: "u32", asyncBackingParams: "PolkadotPrimitivesV7AsyncBackingAsyncBackingParams", }, - /** Lookup424: polkadot_primitives::v7::async_backing::AsyncBackingParams */ + /** Lookup425: polkadot_primitives::v7::async_backing::AsyncBackingParams */ PolkadotPrimitivesV7AsyncBackingAsyncBackingParams: { maxCandidateDepth: "u32", allowedAncestryLen: "u32", }, - /** Lookup430: polkadot_core_primitives::OutboundHrmpMessage */ + /** Lookup431: polkadot_core_primitives::OutboundHrmpMessage */ PolkadotCorePrimitivesOutboundHrmpMessage: { recipient: "u32", data: "Bytes", }, - /** Lookup432: cumulus_pallet_parachain_system::pallet::Error */ + /** Lookup433: cumulus_pallet_parachain_system::pallet::Error */ CumulusPalletParachainSystemError: { _enum: [ "OverlappingUpgrades", @@ -4609,22 +4614,22 @@ export default { "Unauthorized", ], }, - /** Lookup434: pallet_balances::types::BalanceLock */ + /** Lookup435: pallet_balances::types::BalanceLock */ PalletBalancesBalanceLock: { id: "[u8;8]", amount: "u128", reasons: "PalletBalancesReasons", }, - /** Lookup435: pallet_balances::types::Reasons */ + /** Lookup436: pallet_balances::types::Reasons */ PalletBalancesReasons: { _enum: ["Fee", "Misc", "All"], }, - /** Lookup438: pallet_balances::types::ReserveData */ + /** Lookup439: pallet_balances::types::ReserveData */ PalletBalancesReserveData: { id: "[u8;4]", amount: "u128", }, - /** Lookup442: moonbeam_runtime::RuntimeHoldReason */ + /** Lookup443: moonbeam_runtime::RuntimeHoldReason */ MoonbeamRuntimeRuntimeHoldReason: { _enum: { __Unused0: "Null", @@ -4692,16 +4697,16 @@ export default { Preimage: "PalletPreimageHoldReason", }, }, - /** Lookup443: pallet_preimage::pallet::HoldReason */ + /** Lookup444: pallet_preimage::pallet::HoldReason */ PalletPreimageHoldReason: { _enum: ["Preimage"], }, - /** Lookup446: pallet_balances::types::IdAmount */ + /** Lookup447: pallet_balances::types::IdAmount */ PalletBalancesIdAmount: { id: "Null", amount: "u128", }, - /** Lookup448: pallet_balances::pallet::Error */ + /** Lookup449: pallet_balances::pallet::Error */ PalletBalancesError: { _enum: [ "VestingBalance", @@ -4718,18 +4723,18 @@ export default { "DeltaZero", ], }, - /** Lookup449: pallet_transaction_payment::Releases */ + /** Lookup450: pallet_transaction_payment::Releases */ PalletTransactionPaymentReleases: { _enum: ["V1Ancient", "V2"], }, - /** Lookup450: pallet_parachain_staking::types::RoundInfo */ + /** Lookup451: pallet_parachain_staking::types::RoundInfo */ PalletParachainStakingRoundInfo: { current: "u32", first: "u32", length: "u32", firstSlot: "u64", }, - /** Lookup451: pallet_parachain_staking::types::Delegator */ + /** Lookup452: pallet_parachain_staking::types::Delegator */ PalletParachainStakingDelegator: { id: "AccountId20", delegations: "PalletParachainStakingSetOrderedSet", @@ -4738,24 +4743,24 @@ export default { status: "PalletParachainStakingDelegatorStatus", }, /** - * Lookup452: + * Lookup453: * pallet_parachain_staking::set::OrderedSet> */ PalletParachainStakingSetOrderedSet: "Vec", - /** Lookup453: pallet_parachain_staking::types::Bond */ + /** Lookup454: pallet_parachain_staking::types::Bond */ PalletParachainStakingBond: { owner: "AccountId20", amount: "u128", }, - /** Lookup455: pallet_parachain_staking::types::DelegatorStatus */ + /** Lookup456: pallet_parachain_staking::types::DelegatorStatus */ PalletParachainStakingDelegatorStatus: { _enum: { Active: "Null", Leaving: "u32", }, }, - /** Lookup456: pallet_parachain_staking::types::CandidateMetadata */ + /** Lookup457: pallet_parachain_staking::types::CandidateMetadata */ PalletParachainStakingCandidateMetadata: { bond: "u128", delegationCount: "u32", @@ -4768,16 +4773,16 @@ export default { request: "Option", status: "PalletParachainStakingCollatorStatus", }, - /** Lookup457: pallet_parachain_staking::types::CapacityStatus */ + /** Lookup458: pallet_parachain_staking::types::CapacityStatus */ PalletParachainStakingCapacityStatus: { _enum: ["Full", "Empty", "Partial"], }, - /** Lookup459: pallet_parachain_staking::types::CandidateBondLessRequest */ + /** Lookup460: pallet_parachain_staking::types::CandidateBondLessRequest */ PalletParachainStakingCandidateBondLessRequest: { amount: "u128", whenExecutable: "u32", }, - /** Lookup460: pallet_parachain_staking::types::CollatorStatus */ + /** Lookup461: pallet_parachain_staking::types::CollatorStatus */ PalletParachainStakingCollatorStatus: { _enum: { Active: "Null", @@ -4785,50 +4790,50 @@ export default { Leaving: "u32", }, }, - /** Lookup462: pallet_parachain_staking::delegation_requests::ScheduledRequest */ + /** Lookup463: pallet_parachain_staking::delegation_requests::ScheduledRequest */ PalletParachainStakingDelegationRequestsScheduledRequest: { delegator: "AccountId20", whenExecutable: "u32", action: "PalletParachainStakingDelegationRequestsDelegationAction", }, /** - * Lookup465: + * Lookup466: * pallet_parachain_staking::auto_compound::AutoCompoundConfig[account::AccountId20](account::AccountId20) */ PalletParachainStakingAutoCompoundAutoCompoundConfig: { delegator: "AccountId20", value: "Percent", }, - /** Lookup467: pallet_parachain_staking::types::Delegations */ + /** Lookup468: pallet_parachain_staking::types::Delegations */ PalletParachainStakingDelegations: { delegations: "Vec", total: "u128", }, /** - * Lookup469: + * Lookup470: * pallet_parachain_staking::set::BoundedOrderedSet, S> */ PalletParachainStakingSetBoundedOrderedSet: "Vec", - /** Lookup472: pallet_parachain_staking::types::CollatorSnapshot */ + /** Lookup473: pallet_parachain_staking::types::CollatorSnapshot */ PalletParachainStakingCollatorSnapshot: { bond: "u128", delegations: "Vec", total: "u128", }, - /** Lookup474: pallet_parachain_staking::types::BondWithAutoCompound */ + /** Lookup475: pallet_parachain_staking::types::BondWithAutoCompound */ PalletParachainStakingBondWithAutoCompound: { owner: "AccountId20", amount: "u128", autoCompound: "Percent", }, - /** Lookup475: pallet_parachain_staking::types::DelayedPayout */ + /** Lookup476: pallet_parachain_staking::types::DelayedPayout */ PalletParachainStakingDelayedPayout: { roundIssuance: "u128", totalStakingReward: "u128", collatorCommission: "Perbill", }, - /** Lookup476: pallet_parachain_staking::inflation::InflationInfo */ + /** Lookup477: pallet_parachain_staking::inflation::InflationInfo */ PalletParachainStakingInflationInflationInfo: { expect: { min: "u128", @@ -4846,7 +4851,7 @@ export default { max: "Perbill", }, }, - /** Lookup477: pallet_parachain_staking::pallet::Error */ + /** Lookup478: pallet_parachain_staking::pallet::Error */ PalletParachainStakingError: { _enum: [ "DelegatorDNE", @@ -4907,11 +4912,11 @@ export default { "CurrentRoundTooLow", ], }, - /** Lookup478: pallet_author_inherent::pallet::Error */ + /** Lookup479: pallet_author_inherent::pallet::Error */ PalletAuthorInherentError: { _enum: ["AuthorAlreadySet", "NoAccountId", "CannotBeAuthor"], }, - /** Lookup479: pallet_author_mapping::pallet::RegistrationInfo */ + /** Lookup480: pallet_author_mapping::pallet::RegistrationInfo */ PalletAuthorMappingRegistrationInfo: { _alias: { keys_: "keys", @@ -4920,7 +4925,7 @@ export default { deposit: "u128", keys_: "SessionKeysPrimitivesVrfVrfCryptoPublic", }, - /** Lookup480: pallet_author_mapping::pallet::Error */ + /** Lookup481: pallet_author_mapping::pallet::Error */ PalletAuthorMappingError: { _enum: [ "AssociationNotFound", @@ -4933,18 +4938,18 @@ export default { "DecodeKeysFailed", ], }, - /** Lookup481: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ + /** Lookup482: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCollatorPoolInfo: { orbiters: "Vec", maybeCurrentOrbiter: "Option", nextOrbiter: "u32", }, - /** Lookup483: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ + /** Lookup484: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCurrentOrbiter: { accountId: "AccountId20", removed: "bool", }, - /** Lookup484: pallet_moonbeam_orbiters::pallet::Error */ + /** Lookup485: pallet_moonbeam_orbiters::pallet::Error */ PalletMoonbeamOrbitersError: { _enum: [ "CollatorAlreadyAdded", @@ -4958,23 +4963,23 @@ export default { "OrbiterStillInAPool", ], }, - /** Lookup487: pallet_utility::pallet::Error */ + /** Lookup488: pallet_utility::pallet::Error */ PalletUtilityError: { _enum: ["TooManyCalls"], }, - /** Lookup490: pallet_proxy::ProxyDefinition */ + /** Lookup491: pallet_proxy::ProxyDefinition */ PalletProxyProxyDefinition: { delegate: "AccountId20", proxyType: "MoonbeamRuntimeProxyType", delay: "u32", }, - /** Lookup494: pallet_proxy::Announcement */ + /** Lookup495: pallet_proxy::Announcement */ PalletProxyAnnouncement: { real: "AccountId20", callHash: "H256", height: "u32", }, - /** Lookup496: pallet_proxy::pallet::Error */ + /** Lookup497: pallet_proxy::pallet::Error */ PalletProxyError: { _enum: [ "TooMany", @@ -4987,12 +4992,12 @@ export default { "NoSelfProxy", ], }, - /** Lookup497: pallet_maintenance_mode::pallet::Error */ + /** Lookup498: pallet_maintenance_mode::pallet::Error */ PalletMaintenanceModeError: { _enum: ["AlreadyInMaintenanceMode", "NotInMaintenanceMode"], }, /** - * Lookup499: pallet_identity::types::Registration> */ PalletIdentityRegistration: { @@ -5000,21 +5005,21 @@ export default { deposit: "u128", info: "PalletIdentityLegacyIdentityInfo", }, - /** Lookup508: pallet_identity::types::RegistrarInfo */ + /** Lookup509: pallet_identity::types::RegistrarInfo */ PalletIdentityRegistrarInfo: { account: "AccountId20", fee: "u128", fields: "u64", }, /** - * Lookup510: + * Lookup511: * pallet_identity::types::AuthorityProperties> */ PalletIdentityAuthorityProperties: { suffix: "Bytes", allocation: "u32", }, - /** Lookup513: pallet_identity::pallet::Error */ + /** Lookup514: pallet_identity::pallet::Error */ PalletIdentityError: { _enum: [ "TooManySubAccounts", @@ -5045,18 +5050,18 @@ export default { "NotExpired", ], }, - /** Lookup514: pallet_migrations::pallet::Error */ + /** Lookup515: pallet_migrations::pallet::Error */ PalletMigrationsError: { _enum: ["PreimageMissing", "WrongUpperBound", "PreimageIsTooBig", "PreimageAlreadyExists"], }, - /** Lookup516: pallet_multisig::Multisig */ + /** Lookup517: pallet_multisig::Multisig */ PalletMultisigMultisig: { when: "PalletMultisigTimepoint", deposit: "u128", depositor: "AccountId20", approvals: "Vec", }, - /** Lookup518: pallet_multisig::pallet::Error */ + /** Lookup519: pallet_multisig::pallet::Error */ PalletMultisigError: { _enum: [ "MinimumThreshold", @@ -5075,7 +5080,7 @@ export default { "AlreadyStored", ], }, - /** Lookup519: pallet_moonbeam_lazy_migrations::pallet::Error */ + /** Lookup520: pallet_moonbeam_lazy_migrations::pallet::Error */ PalletMoonbeamLazyMigrationsError: { _enum: [ "LimitCannotBeZero", @@ -5085,7 +5090,7 @@ export default { "ContractNotExist", ], }, - /** Lookup520: pallet_evm::CodeMetadata */ + /** Lookup521: pallet_evm::CodeMetadata */ PalletEvmCodeMetadata: { _alias: { size_: "size", @@ -5094,7 +5099,7 @@ export default { size_: "u64", hash_: "H256", }, - /** Lookup522: pallet_evm::pallet::Error */ + /** Lookup523: pallet_evm::pallet::Error */ PalletEvmError: { _enum: [ "BalanceLow", @@ -5112,7 +5117,7 @@ export default { "Undefined", ], }, - /** Lookup525: fp_rpc::TransactionStatus */ + /** Lookup526: fp_rpc::TransactionStatus */ FpRpcTransactionStatus: { transactionHash: "H256", transactionIndex: "u32", @@ -5122,9 +5127,9 @@ export default { logs: "Vec", logsBloom: "EthbloomBloom", }, - /** Lookup527: ethbloom::Bloom */ + /** Lookup528: ethbloom::Bloom */ EthbloomBloom: "[u8;256]", - /** Lookup529: ethereum::receipt::ReceiptV3 */ + /** Lookup530: ethereum::receipt::ReceiptV3 */ EthereumReceiptReceiptV3: { _enum: { Legacy: "EthereumReceiptEip658ReceiptData", @@ -5132,7 +5137,7 @@ export default { EIP1559: "EthereumReceiptEip658ReceiptData", }, }, - /** Lookup530: ethereum::receipt::EIP658ReceiptData */ + /** Lookup531: ethereum::receipt::EIP658ReceiptData */ EthereumReceiptEip658ReceiptData: { statusCode: "u8", usedGas: "U256", @@ -5140,7 +5145,7 @@ export default { logs: "Vec", }, /** - * Lookup531: + * Lookup532: * ethereum::block::Block[ethereum::transaction::TransactionV2](ethereum::transaction::TransactionV2) */ EthereumBlock: { @@ -5148,7 +5153,7 @@ export default { transactions: "Vec", ommers: "Vec", }, - /** Lookup532: ethereum::header::Header */ + /** Lookup533: ethereum::header::Header */ EthereumHeader: { parentHash: "H256", ommersHash: "H256", @@ -5166,14 +5171,14 @@ export default { mixHash: "H256", nonce: "EthereumTypesHashH64", }, - /** Lookup533: ethereum_types::hash::H64 */ + /** Lookup534: ethereum_types::hash::H64 */ EthereumTypesHashH64: "[u8;8]", - /** Lookup538: pallet_ethereum::pallet::Error */ + /** Lookup539: pallet_ethereum::pallet::Error */ PalletEthereumError: { _enum: ["InvalidSignature", "PreLogExists"], }, /** - * Lookup541: pallet_scheduler::Scheduled, BlockNumber, moonbeam_runtime::OriginCaller, account::AccountId20> */ @@ -5184,13 +5189,13 @@ export default { maybePeriodic: "Option<(u32,u32)>", origin: "MoonbeamRuntimeOriginCaller", }, - /** Lookup543: pallet_scheduler::RetryConfig */ + /** Lookup544: pallet_scheduler::RetryConfig */ PalletSchedulerRetryConfig: { totalRetries: "u8", remaining: "u8", period: "u32", }, - /** Lookup544: pallet_scheduler::pallet::Error */ + /** Lookup545: pallet_scheduler::pallet::Error */ PalletSchedulerError: { _enum: [ "FailedToSchedule", @@ -5200,7 +5205,7 @@ export default { "Named", ], }, - /** Lookup545: pallet_preimage::OldRequestStatus */ + /** Lookup546: pallet_preimage::OldRequestStatus */ PalletPreimageOldRequestStatus: { _enum: { Unrequested: { @@ -5215,7 +5220,7 @@ export default { }, }, /** - * Lookup548: pallet_preimage::RequestStatus> */ PalletPreimageRequestStatus: { @@ -5231,7 +5236,7 @@ export default { }, }, }, - /** Lookup554: pallet_preimage::pallet::Error */ + /** Lookup555: pallet_preimage::pallet::Error */ PalletPreimageError: { _enum: [ "TooBig", @@ -5245,7 +5250,7 @@ export default { ], }, /** - * Lookup556: pallet_conviction_voting::vote::Voting */ PalletConvictionVotingVoteVoting: { @@ -5254,20 +5259,20 @@ export default { Delegating: "PalletConvictionVotingVoteDelegating", }, }, - /** Lookup557: pallet_conviction_voting::vote::Casting */ + /** Lookup558: pallet_conviction_voting::vote::Casting */ PalletConvictionVotingVoteCasting: { votes: "Vec<(u32,PalletConvictionVotingVoteAccountVote)>", delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup561: pallet_conviction_voting::types::Delegations */ + /** Lookup562: pallet_conviction_voting::types::Delegations */ PalletConvictionVotingDelegations: { votes: "u128", capital: "u128", }, - /** Lookup562: pallet_conviction_voting::vote::PriorLock */ + /** Lookup563: pallet_conviction_voting::vote::PriorLock */ PalletConvictionVotingVotePriorLock: "(u32,u128)", - /** Lookup563: pallet_conviction_voting::vote::Delegating */ + /** Lookup564: pallet_conviction_voting::vote::Delegating */ PalletConvictionVotingVoteDelegating: { balance: "u128", target: "AccountId20", @@ -5275,7 +5280,7 @@ export default { delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup567: pallet_conviction_voting::pallet::Error */ + /** Lookup568: pallet_conviction_voting::pallet::Error */ PalletConvictionVotingError: { _enum: [ "NotOngoing", @@ -5293,7 +5298,7 @@ export default { ], }, /** - * Lookup568: pallet_referenda::types::ReferendumInfo, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5309,7 +5314,7 @@ export default { }, }, /** - * Lookup569: pallet_referenda::types::ReferendumStatus, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5327,17 +5332,17 @@ export default { inQueue: "bool", alarm: "Option<(u32,(u32,u32))>", }, - /** Lookup570: pallet_referenda::types::Deposit */ + /** Lookup571: pallet_referenda::types::Deposit */ PalletReferendaDeposit: { who: "AccountId20", amount: "u128", }, - /** Lookup573: pallet_referenda::types::DecidingStatus */ + /** Lookup574: pallet_referenda::types::DecidingStatus */ PalletReferendaDecidingStatus: { since: "u32", confirming: "Option", }, - /** Lookup581: pallet_referenda::types::TrackInfo */ + /** Lookup582: pallet_referenda::types::TrackInfo */ PalletReferendaTrackInfo: { name: "Text", maxDeciding: "u32", @@ -5349,7 +5354,7 @@ export default { minApproval: "PalletReferendaCurve", minSupport: "PalletReferendaCurve", }, - /** Lookup582: pallet_referenda::types::Curve */ + /** Lookup583: pallet_referenda::types::Curve */ PalletReferendaCurve: { _enum: { LinearDecreasing: { @@ -5370,7 +5375,7 @@ export default { }, }, }, - /** Lookup585: pallet_referenda::pallet::Error */ + /** Lookup586: pallet_referenda::pallet::Error */ PalletReferendaError: { _enum: [ "NotOngoing", @@ -5389,7 +5394,7 @@ export default { "PreimageStoredWithDifferentLength", ], }, - /** Lookup586: pallet_whitelist::pallet::Error */ + /** Lookup587: pallet_whitelist::pallet::Error */ PalletWhitelistError: { _enum: [ "UnavailablePreImage", @@ -5399,7 +5404,7 @@ export default { "CallAlreadyWhitelisted", ], }, - /** Lookup588: pallet_collective::Votes */ + /** Lookup589: pallet_collective::Votes */ PalletCollectiveVotes: { index: "u32", threshold: "u32", @@ -5407,7 +5412,7 @@ export default { nays: "Vec", end: "u32", }, - /** Lookup589: pallet_collective::pallet::Error */ + /** Lookup590: pallet_collective::pallet::Error */ PalletCollectiveError: { _enum: [ "NotMember", @@ -5423,7 +5428,7 @@ export default { "PrimeAccountNotMember", ], }, - /** Lookup592: pallet_treasury::Proposal */ + /** Lookup593: pallet_treasury::Proposal */ PalletTreasuryProposal: { proposer: "AccountId20", value: "u128", @@ -5431,7 +5436,7 @@ export default { bond: "u128", }, /** - * Lookup595: pallet_treasury::SpendStatus */ PalletTreasurySpendStatus: { @@ -5442,7 +5447,7 @@ export default { expireAt: "u32", status: "PalletTreasuryPaymentState", }, - /** Lookup596: pallet_treasury::PaymentState */ + /** Lookup597: pallet_treasury::PaymentState */ PalletTreasuryPaymentState: { _enum: { Pending: "Null", @@ -5452,9 +5457,9 @@ export default { Failed: "Null", }, }, - /** Lookup598: frame_support::PalletId */ + /** Lookup599: frame_support::PalletId */ FrameSupportPalletId: "[u8;8]", - /** Lookup599: pallet_treasury::pallet::Error */ + /** Lookup600: pallet_treasury::pallet::Error */ PalletTreasuryError: { _enum: [ "InsufficientProposersBalance", @@ -5471,13 +5476,13 @@ export default { "Inconclusive", ], }, - /** Lookup600: pallet_crowdloan_rewards::pallet::RewardInfo */ + /** Lookup601: pallet_crowdloan_rewards::pallet::RewardInfo */ PalletCrowdloanRewardsRewardInfo: { totalReward: "u128", claimedReward: "u128", contributedRelayAddresses: "Vec<[u8;32]>", }, - /** Lookup602: pallet_crowdloan_rewards::pallet::Error */ + /** Lookup603: pallet_crowdloan_rewards::pallet::Error */ PalletCrowdloanRewardsError: { _enum: [ "AlreadyAssociated", @@ -5497,7 +5502,7 @@ export default { "InsufficientNumberOfValidProofs", ], }, - /** Lookup607: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ + /** Lookup608: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ CumulusPalletXcmpQueueOutboundChannelDetails: { recipient: "u32", state: "CumulusPalletXcmpQueueOutboundState", @@ -5505,21 +5510,21 @@ export default { firstIndex: "u16", lastIndex: "u16", }, - /** Lookup608: cumulus_pallet_xcmp_queue::OutboundState */ + /** Lookup609: cumulus_pallet_xcmp_queue::OutboundState */ CumulusPalletXcmpQueueOutboundState: { _enum: ["Ok", "Suspended"], }, - /** Lookup610: cumulus_pallet_xcmp_queue::QueueConfigData */ + /** Lookup611: cumulus_pallet_xcmp_queue::QueueConfigData */ CumulusPalletXcmpQueueQueueConfigData: { suspendThreshold: "u32", dropThreshold: "u32", resumeThreshold: "u32", }, - /** Lookup611: cumulus_pallet_xcmp_queue::pallet::Error */ + /** Lookup612: cumulus_pallet_xcmp_queue::pallet::Error */ CumulusPalletXcmpQueueError: { _enum: ["BadQueueConfig", "AlreadySuspended", "AlreadyResumed"], }, - /** Lookup612: cumulus_pallet_dmp_queue::pallet::MigrationState */ + /** Lookup613: cumulus_pallet_dmp_queue::pallet::MigrationState */ CumulusPalletDmpQueueMigrationState: { _enum: { NotStarted: "Null", @@ -5537,7 +5542,7 @@ export default { Completed: "Null", }, }, - /** Lookup615: pallet_xcm::pallet::QueryStatus */ + /** Lookup616: pallet_xcm::pallet::QueryStatus */ PalletXcmQueryStatus: { _enum: { Pending: { @@ -5556,7 +5561,7 @@ export default { }, }, }, - /** Lookup619: xcm::VersionedResponse */ + /** Lookup620: xcm::VersionedResponse */ XcmVersionedResponse: { _enum: { __Unused0: "Null", @@ -5566,7 +5571,7 @@ export default { V4: "StagingXcmV4Response", }, }, - /** Lookup625: pallet_xcm::pallet::VersionMigrationStage */ + /** Lookup626: pallet_xcm::pallet::VersionMigrationStage */ PalletXcmVersionMigrationStage: { _enum: { MigrateSupportedVersion: "Null", @@ -5575,14 +5580,14 @@ export default { MigrateAndNotifyOldTargets: "Null", }, }, - /** Lookup628: pallet_xcm::pallet::RemoteLockedFungibleRecord */ + /** Lookup629: pallet_xcm::pallet::RemoteLockedFungibleRecord */ PalletXcmRemoteLockedFungibleRecord: { amount: "u128", owner: "XcmVersionedLocation", locker: "XcmVersionedLocation", consumers: "Vec<(Null,u128)>", }, - /** Lookup635: pallet_xcm::pallet::Error */ + /** Lookup636: pallet_xcm::pallet::Error */ PalletXcmError: { _enum: [ "Unreachable", @@ -5612,7 +5617,7 @@ export default { "LocalExecutionIncomplete", ], }, - /** Lookup636: pallet_assets::types::AssetDetails */ + /** Lookup637: pallet_assets::types::AssetDetails */ PalletAssetsAssetDetails: { owner: "AccountId20", issuer: "AccountId20", @@ -5627,22 +5632,22 @@ export default { approvals: "u32", status: "PalletAssetsAssetStatus", }, - /** Lookup637: pallet_assets::types::AssetStatus */ + /** Lookup638: pallet_assets::types::AssetStatus */ PalletAssetsAssetStatus: { _enum: ["Live", "Frozen", "Destroying"], }, - /** Lookup639: pallet_assets::types::AssetAccount */ + /** Lookup640: pallet_assets::types::AssetAccount */ PalletAssetsAssetAccount: { balance: "u128", status: "PalletAssetsAccountStatus", reason: "PalletAssetsExistenceReason", extra: "Null", }, - /** Lookup640: pallet_assets::types::AccountStatus */ + /** Lookup641: pallet_assets::types::AccountStatus */ PalletAssetsAccountStatus: { _enum: ["Liquid", "Frozen", "Blocked"], }, - /** Lookup641: pallet_assets::types::ExistenceReason */ + /** Lookup642: pallet_assets::types::ExistenceReason */ PalletAssetsExistenceReason: { _enum: { Consumer: "Null", @@ -5652,13 +5657,13 @@ export default { DepositFrom: "(AccountId20,u128)", }, }, - /** Lookup643: pallet_assets::types::Approval */ + /** Lookup644: pallet_assets::types::Approval */ PalletAssetsApproval: { amount: "u128", deposit: "u128", }, /** - * Lookup644: pallet_assets::types::AssetMetadata> */ PalletAssetsAssetMetadata: { @@ -5668,7 +5673,7 @@ export default { decimals: "u8", isFrozen: "bool", }, - /** Lookup646: pallet_assets::pallet::Error */ + /** Lookup647: pallet_assets::pallet::Error */ PalletAssetsError: { _enum: [ "BalanceLow", @@ -5693,7 +5698,7 @@ export default { "CallbackFailed", ], }, - /** Lookup647: pallet_asset_manager::pallet::Error */ + /** Lookup648: pallet_asset_manager::pallet::Error */ PalletAssetManagerError: { _enum: [ "ErrorCreatingAsset", @@ -5706,7 +5711,7 @@ export default { "NonExistentLocalAsset", ], }, - /** Lookup648: orml_xtokens::module::Error */ + /** Lookup649: orml_xtokens::module::Error */ OrmlXtokensModuleError: { _enum: [ "AssetHasNoReserve", @@ -5731,7 +5736,7 @@ export default { "RateLimited", ], }, - /** Lookup649: pallet_xcm_transactor::relay_indices::RelayChainIndices */ + /** Lookup650: pallet_xcm_transactor::relay_indices::RelayChainIndices */ PalletXcmTransactorRelayIndicesRelayChainIndices: { staking: "u8", utility: "u8", @@ -5752,7 +5757,7 @@ export default { closeChannel: "u8", cancelOpenRequest: "u8", }, - /** Lookup650: pallet_xcm_transactor::pallet::Error */ + /** Lookup651: pallet_xcm_transactor::pallet::Error */ PalletXcmTransactorError: { _enum: [ "IndexAlreadyClaimed", @@ -5784,11 +5789,11 @@ export default { "RefundNotSupportedWithTransactInfo", ], }, - /** Lookup651: pallet_ethereum_xcm::pallet::Error */ + /** Lookup652: pallet_ethereum_xcm::pallet::Error */ PalletEthereumXcmError: { _enum: ["EthereumXcmExecutionSuspended"], }, - /** Lookup652: pallet_message_queue::BookState */ + /** Lookup653: pallet_message_queue::BookState */ PalletMessageQueueBookState: { _alias: { size_: "size", @@ -5800,12 +5805,12 @@ export default { messageCount: "u64", size_: "u64", }, - /** Lookup654: pallet_message_queue::Neighbours */ + /** Lookup655: pallet_message_queue::Neighbours */ PalletMessageQueueNeighbours: { prev: "CumulusPrimitivesCoreAggregateMessageOrigin", next: "CumulusPrimitivesCoreAggregateMessageOrigin", }, - /** Lookup656: pallet_message_queue::Page */ + /** Lookup657: pallet_message_queue::Page */ PalletMessageQueuePage: { remaining: "u32", remainingSize: "u32", @@ -5814,7 +5819,7 @@ export default { last: "u32", heap: "Bytes", }, - /** Lookup658: pallet_message_queue::pallet::Error */ + /** Lookup659: pallet_message_queue::pallet::Error */ PalletMessageQueueError: { _enum: [ "NotReapable", @@ -5828,11 +5833,11 @@ export default { "RecursiveDisallowed", ], }, - /** Lookup660: pallet_moonbeam_foreign_assets::AssetStatus */ + /** Lookup661: pallet_moonbeam_foreign_assets::AssetStatus */ PalletMoonbeamForeignAssetsAssetStatus: { _enum: ["Active", "FrozenXcmDepositAllowed", "FrozenXcmDepositForbidden"], }, - /** Lookup661: pallet_moonbeam_foreign_assets::pallet::Error */ + /** Lookup662: pallet_moonbeam_foreign_assets::pallet::Error */ PalletMoonbeamForeignAssetsError: { _enum: [ "AssetAlreadyExists", @@ -5851,7 +5856,7 @@ export default { "TooManyForeignAssets", ], }, - /** Lookup663: pallet_xcm_weight_trader::pallet::Error */ + /** Lookup664: pallet_xcm_weight_trader::pallet::Error */ PalletXcmWeightTraderError: { _enum: [ "AssetAlreadyAdded", @@ -5862,24 +5867,24 @@ export default { "PriceCannotBeZero", ], }, - /** Lookup664: pallet_emergency_para_xcm::XcmMode */ + /** Lookup665: pallet_emergency_para_xcm::XcmMode */ PalletEmergencyParaXcmXcmMode: { _enum: ["Normal", "Paused"], }, - /** Lookup665: pallet_emergency_para_xcm::pallet::Error */ + /** Lookup666: pallet_emergency_para_xcm::pallet::Error */ PalletEmergencyParaXcmError: { _enum: ["NotInPausedMode"], }, - /** Lookup667: pallet_precompile_benchmarks::pallet::Error */ + /** Lookup668: pallet_precompile_benchmarks::pallet::Error */ PalletPrecompileBenchmarksError: { _enum: ["BenchmarkError"], }, - /** Lookup668: pallet_randomness::types::RequestState */ + /** Lookup669: pallet_randomness::types::RequestState */ PalletRandomnessRequestState: { request: "PalletRandomnessRequest", deposit: "u128", }, - /** Lookup669: pallet_randomness::types::Request> */ + /** Lookup670: pallet_randomness::types::Request> */ PalletRandomnessRequest: { refundAddress: "H160", contractAddress: "H160", @@ -5889,26 +5894,26 @@ export default { salt: "H256", info: "PalletRandomnessRequestInfo", }, - /** Lookup670: pallet_randomness::types::RequestInfo */ + /** Lookup671: pallet_randomness::types::RequestInfo */ PalletRandomnessRequestInfo: { _enum: { BabeEpoch: "(u64,u64)", Local: "(u32,u32)", }, }, - /** Lookup671: pallet_randomness::types::RequestType */ + /** Lookup672: pallet_randomness::types::RequestType */ PalletRandomnessRequestType: { _enum: { BabeEpoch: "u64", Local: "u32", }, }, - /** Lookup672: pallet_randomness::types::RandomnessResult */ + /** Lookup673: pallet_randomness::types::RandomnessResult */ PalletRandomnessRandomnessResult: { randomness: "Option", requestCount: "u64", }, - /** Lookup673: pallet_randomness::pallet::Error */ + /** Lookup674: pallet_randomness::pallet::Error */ PalletRandomnessError: { _enum: [ "RequestCounterOverflowed", @@ -5925,30 +5930,30 @@ export default { "RandomnessResultNotFilled", ], }, - /** Lookup676: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ + /** Lookup677: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ FrameSystemExtensionsCheckNonZeroSender: "Null", - /** Lookup677: frame_system::extensions::check_spec_version::CheckSpecVersion */ + /** Lookup678: frame_system::extensions::check_spec_version::CheckSpecVersion */ FrameSystemExtensionsCheckSpecVersion: "Null", - /** Lookup678: frame_system::extensions::check_tx_version::CheckTxVersion */ + /** Lookup679: frame_system::extensions::check_tx_version::CheckTxVersion */ FrameSystemExtensionsCheckTxVersion: "Null", - /** Lookup679: frame_system::extensions::check_genesis::CheckGenesis */ + /** Lookup680: frame_system::extensions::check_genesis::CheckGenesis */ FrameSystemExtensionsCheckGenesis: "Null", - /** Lookup682: frame_system::extensions::check_nonce::CheckNonce */ + /** Lookup683: frame_system::extensions::check_nonce::CheckNonce */ FrameSystemExtensionsCheckNonce: "Compact", - /** Lookup683: frame_system::extensions::check_weight::CheckWeight */ + /** Lookup684: frame_system::extensions::check_weight::CheckWeight */ FrameSystemExtensionsCheckWeight: "Null", - /** Lookup684: pallet_transaction_payment::ChargeTransactionPayment */ + /** Lookup685: pallet_transaction_payment::ChargeTransactionPayment */ PalletTransactionPaymentChargeTransactionPayment: "Compact", - /** Lookup685: frame_metadata_hash_extension::CheckMetadataHash */ + /** Lookup686: frame_metadata_hash_extension::CheckMetadataHash */ FrameMetadataHashExtensionCheckMetadataHash: { mode: "FrameMetadataHashExtensionMode", }, - /** Lookup686: frame_metadata_hash_extension::Mode */ + /** Lookup687: frame_metadata_hash_extension::Mode */ FrameMetadataHashExtensionMode: { _enum: ["Disabled", "Enabled"], }, - /** Lookup687: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ + /** Lookup688: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: "Null", - /** Lookup689: moonbeam_runtime::Runtime */ + /** Lookup690: moonbeam_runtime::Runtime */ MoonbeamRuntimeRuntime: "Null", }; diff --git a/typescript-api/src/moonbeam/interfaces/registry.ts b/typescript-api/src/moonbeam/interfaces/registry.ts index 2c63e429d9..0de05c2c5a 100644 --- a/typescript-api/src/moonbeam/interfaces/registry.ts +++ b/typescript-api/src/moonbeam/interfaces/registry.ts @@ -215,6 +215,7 @@ import type { PalletParachainStakingError, PalletParachainStakingEvent, PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletParachainStakingInflationInflationInfo, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, @@ -603,6 +604,7 @@ declare module "@polkadot/types/types/registry" { PalletParachainStakingError: PalletParachainStakingError; PalletParachainStakingEvent: PalletParachainStakingEvent; PalletParachainStakingInflationDistributionAccount: PalletParachainStakingInflationDistributionAccount; + PalletParachainStakingInflationDistributionConfig: PalletParachainStakingInflationDistributionConfig; PalletParachainStakingInflationInflationInfo: PalletParachainStakingInflationInflationInfo; PalletParachainStakingRoundInfo: PalletParachainStakingRoundInfo; PalletParachainStakingSetBoundedOrderedSet: PalletParachainStakingSetBoundedOrderedSet; diff --git a/typescript-api/src/moonbeam/interfaces/types-lookup.ts b/typescript-api/src/moonbeam/interfaces/types-lookup.ts index 7134ee7855..b4e4051851 100644 --- a/typescript-api/src/moonbeam/interfaces/types-lookup.ts +++ b/typescript-api/src/moonbeam/interfaces/types-lookup.ts @@ -591,8 +591,8 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly isInflationDistributionConfigUpdated: boolean; readonly asInflationDistributionConfigUpdated: { - readonly old: Vec; - readonly new_: Vec; + readonly old: PalletParachainStakingInflationDistributionConfig; + readonly new_: PalletParachainStakingInflationDistributionConfig; } & Struct; readonly isInflationSet: boolean; readonly asInflationSet: { @@ -703,20 +703,24 @@ declare module "@polkadot/types/lookup" { readonly type: "AddedToTop" | "AddedToBottom"; } - /** @name PalletParachainStakingInflationDistributionAccount (44) */ + /** @name PalletParachainStakingInflationDistributionConfig (43) */ + interface PalletParachainStakingInflationDistributionConfig + extends Vec {} + + /** @name PalletParachainStakingInflationDistributionAccount (45) */ interface PalletParachainStakingInflationDistributionAccount extends Struct { readonly account: AccountId20; readonly percent: Percent; } - /** @name PalletAuthorSlotFilterEvent (46) */ + /** @name PalletAuthorSlotFilterEvent (47) */ interface PalletAuthorSlotFilterEvent extends Enum { readonly isEligibleUpdated: boolean; readonly asEligibleUpdated: u32; readonly type: "EligibleUpdated"; } - /** @name PalletAuthorMappingEvent (48) */ + /** @name PalletAuthorMappingEvent (49) */ interface PalletAuthorMappingEvent extends Enum { readonly isKeysRegistered: boolean; readonly asKeysRegistered: { @@ -739,13 +743,13 @@ declare module "@polkadot/types/lookup" { readonly type: "KeysRegistered" | "KeysRemoved" | "KeysRotated"; } - /** @name NimbusPrimitivesNimbusCryptoPublic (49) */ + /** @name NimbusPrimitivesNimbusCryptoPublic (50) */ interface NimbusPrimitivesNimbusCryptoPublic extends U8aFixed {} - /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (50) */ + /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (51) */ interface SessionKeysPrimitivesVrfVrfCryptoPublic extends U8aFixed {} - /** @name PalletMoonbeamOrbitersEvent (51) */ + /** @name PalletMoonbeamOrbitersEvent (52) */ interface PalletMoonbeamOrbitersEvent extends Enum { readonly isOrbiterJoinCollatorPool: boolean; readonly asOrbiterJoinCollatorPool: { @@ -786,7 +790,7 @@ declare module "@polkadot/types/lookup" { | "OrbiterUnregistered"; } - /** @name PalletUtilityEvent (53) */ + /** @name PalletUtilityEvent (54) */ interface PalletUtilityEvent extends Enum { readonly isBatchInterrupted: boolean; readonly asBatchInterrupted: { @@ -813,7 +817,7 @@ declare module "@polkadot/types/lookup" { | "DispatchedAs"; } - /** @name PalletProxyEvent (56) */ + /** @name PalletProxyEvent (57) */ interface PalletProxyEvent extends Enum { readonly isProxyExecuted: boolean; readonly asProxyExecuted: { @@ -849,7 +853,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProxyExecuted" | "PureCreated" | "Announced" | "ProxyAdded" | "ProxyRemoved"; } - /** @name MoonbeamRuntimeProxyType (57) */ + /** @name MoonbeamRuntimeProxyType (58) */ interface MoonbeamRuntimeProxyType extends Enum { readonly isAny: boolean; readonly isNonTransfer: boolean; @@ -870,7 +874,7 @@ declare module "@polkadot/types/lookup" { | "IdentityJudgement"; } - /** @name PalletMaintenanceModeEvent (59) */ + /** @name PalletMaintenanceModeEvent (60) */ interface PalletMaintenanceModeEvent extends Enum { readonly isEnteredMaintenanceMode: boolean; readonly isNormalOperationResumed: boolean; @@ -889,7 +893,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletIdentityEvent (60) */ + /** @name PalletIdentityEvent (61) */ interface PalletIdentityEvent extends Enum { readonly isIdentitySet: boolean; readonly asIdentitySet: { @@ -995,7 +999,7 @@ declare module "@polkadot/types/lookup" { | "DanglingUsernameRemoved"; } - /** @name PalletMigrationsEvent (62) */ + /** @name PalletMigrationsEvent (63) */ interface PalletMigrationsEvent extends Enum { readonly isRuntimeUpgradeStarted: boolean; readonly isRuntimeUpgradeCompleted: boolean; @@ -1028,7 +1032,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletMultisigEvent (63) */ + /** @name PalletMultisigEvent (64) */ interface PalletMultisigEvent extends Enum { readonly isNewMultisig: boolean; readonly asNewMultisig: { @@ -1061,13 +1065,13 @@ declare module "@polkadot/types/lookup" { readonly type: "NewMultisig" | "MultisigApproval" | "MultisigExecuted" | "MultisigCancelled"; } - /** @name PalletMultisigTimepoint (64) */ + /** @name PalletMultisigTimepoint (65) */ interface PalletMultisigTimepoint extends Struct { readonly height: u32; readonly index: u32; } - /** @name PalletEvmEvent (65) */ + /** @name PalletEvmEvent (66) */ interface PalletEvmEvent extends Enum { readonly isLog: boolean; readonly asLog: { @@ -1092,14 +1096,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Log" | "Created" | "CreatedFailed" | "Executed" | "ExecutedFailed"; } - /** @name EthereumLog (66) */ + /** @name EthereumLog (67) */ interface EthereumLog extends Struct { readonly address: H160; readonly topics: Vec; readonly data: Bytes; } - /** @name PalletEthereumEvent (69) */ + /** @name PalletEthereumEvent (70) */ interface PalletEthereumEvent extends Enum { readonly isExecuted: boolean; readonly asExecuted: { @@ -1112,7 +1116,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Executed"; } - /** @name EvmCoreErrorExitReason (70) */ + /** @name EvmCoreErrorExitReason (71) */ interface EvmCoreErrorExitReason extends Enum { readonly isSucceed: boolean; readonly asSucceed: EvmCoreErrorExitSucceed; @@ -1125,7 +1129,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Succeed" | "Error" | "Revert" | "Fatal"; } - /** @name EvmCoreErrorExitSucceed (71) */ + /** @name EvmCoreErrorExitSucceed (72) */ interface EvmCoreErrorExitSucceed extends Enum { readonly isStopped: boolean; readonly isReturned: boolean; @@ -1133,7 +1137,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Stopped" | "Returned" | "Suicided"; } - /** @name EvmCoreErrorExitError (72) */ + /** @name EvmCoreErrorExitError (73) */ interface EvmCoreErrorExitError extends Enum { readonly isStackUnderflow: boolean; readonly isStackOverflow: boolean; @@ -1172,13 +1176,13 @@ declare module "@polkadot/types/lookup" { | "InvalidCode"; } - /** @name EvmCoreErrorExitRevert (76) */ + /** @name EvmCoreErrorExitRevert (77) */ interface EvmCoreErrorExitRevert extends Enum { readonly isReverted: boolean; readonly type: "Reverted"; } - /** @name EvmCoreErrorExitFatal (77) */ + /** @name EvmCoreErrorExitFatal (78) */ interface EvmCoreErrorExitFatal extends Enum { readonly isNotSupported: boolean; readonly isUnhandledInterrupt: boolean; @@ -1189,7 +1193,7 @@ declare module "@polkadot/types/lookup" { readonly type: "NotSupported" | "UnhandledInterrupt" | "CallErrorAsFatal" | "Other"; } - /** @name PalletSchedulerEvent (78) */ + /** @name PalletSchedulerEvent (79) */ interface PalletSchedulerEvent extends Enum { readonly isScheduled: boolean; readonly asScheduled: { @@ -1251,7 +1255,7 @@ declare module "@polkadot/types/lookup" { | "PermanentlyOverweight"; } - /** @name PalletPreimageEvent (80) */ + /** @name PalletPreimageEvent (81) */ interface PalletPreimageEvent extends Enum { readonly isNoted: boolean; readonly asNoted: { @@ -1268,7 +1272,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Noted" | "Requested" | "Cleared"; } - /** @name PalletConvictionVotingEvent (81) */ + /** @name PalletConvictionVotingEvent (82) */ interface PalletConvictionVotingEvent extends Enum { readonly isDelegated: boolean; readonly asDelegated: ITuple<[AccountId20, AccountId20]>; @@ -1277,7 +1281,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Delegated" | "Undelegated"; } - /** @name PalletReferendaEvent (82) */ + /** @name PalletReferendaEvent (83) */ interface PalletReferendaEvent extends Enum { readonly isSubmitted: boolean; readonly asSubmitted: { @@ -1381,7 +1385,7 @@ declare module "@polkadot/types/lookup" { | "MetadataCleared"; } - /** @name FrameSupportPreimagesBounded (83) */ + /** @name FrameSupportPreimagesBounded (84) */ interface FrameSupportPreimagesBounded extends Enum { readonly isLegacy: boolean; readonly asLegacy: { @@ -1397,7 +1401,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Inline" | "Lookup"; } - /** @name FrameSystemCall (85) */ + /** @name FrameSystemCall (86) */ interface FrameSystemCall extends Enum { readonly isRemark: boolean; readonly asRemark: { @@ -1458,7 +1462,7 @@ declare module "@polkadot/types/lookup" { | "ApplyAuthorizedUpgrade"; } - /** @name CumulusPalletParachainSystemCall (89) */ + /** @name CumulusPalletParachainSystemCall (90) */ interface CumulusPalletParachainSystemCall extends Enum { readonly isSetValidationData: boolean; readonly asSetValidationData: { @@ -1484,7 +1488,7 @@ declare module "@polkadot/types/lookup" { | "EnactAuthorizedUpgrade"; } - /** @name CumulusPrimitivesParachainInherentParachainInherentData (90) */ + /** @name CumulusPrimitivesParachainInherentParachainInherentData (91) */ interface CumulusPrimitivesParachainInherentParachainInherentData extends Struct { readonly validationData: PolkadotPrimitivesV7PersistedValidationData; readonly relayChainState: SpTrieStorageProof; @@ -1492,7 +1496,7 @@ declare module "@polkadot/types/lookup" { readonly horizontalMessages: BTreeMap>; } - /** @name PolkadotPrimitivesV7PersistedValidationData (91) */ + /** @name PolkadotPrimitivesV7PersistedValidationData (92) */ interface PolkadotPrimitivesV7PersistedValidationData extends Struct { readonly parentHead: Bytes; readonly relayParentNumber: u32; @@ -1500,24 +1504,24 @@ declare module "@polkadot/types/lookup" { readonly maxPovSize: u32; } - /** @name SpTrieStorageProof (93) */ + /** @name SpTrieStorageProof (94) */ interface SpTrieStorageProof extends Struct { readonly trieNodes: BTreeSet; } - /** @name PolkadotCorePrimitivesInboundDownwardMessage (96) */ + /** @name PolkadotCorePrimitivesInboundDownwardMessage (97) */ interface PolkadotCorePrimitivesInboundDownwardMessage extends Struct { readonly sentAt: u32; readonly msg: Bytes; } - /** @name PolkadotCorePrimitivesInboundHrmpMessage (100) */ + /** @name PolkadotCorePrimitivesInboundHrmpMessage (101) */ interface PolkadotCorePrimitivesInboundHrmpMessage extends Struct { readonly sentAt: u32; readonly data: Bytes; } - /** @name PalletTimestampCall (103) */ + /** @name PalletTimestampCall (104) */ interface PalletTimestampCall extends Enum { readonly isSet: boolean; readonly asSet: { @@ -1526,7 +1530,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Set"; } - /** @name PalletRootTestingCall (104) */ + /** @name PalletRootTestingCall (105) */ interface PalletRootTestingCall extends Enum { readonly isFillBlock: boolean; readonly asFillBlock: { @@ -1536,7 +1540,7 @@ declare module "@polkadot/types/lookup" { readonly type: "FillBlock" | "TriggerDefensive"; } - /** @name PalletBalancesCall (105) */ + /** @name PalletBalancesCall (106) */ interface PalletBalancesCall extends Enum { readonly isTransferAllowDeath: boolean; readonly asTransferAllowDeath: { @@ -1589,14 +1593,14 @@ declare module "@polkadot/types/lookup" { | "ForceAdjustTotalIssuance"; } - /** @name PalletBalancesAdjustmentDirection (108) */ + /** @name PalletBalancesAdjustmentDirection (109) */ interface PalletBalancesAdjustmentDirection extends Enum { readonly isIncrease: boolean; readonly isDecrease: boolean; readonly type: "Increase" | "Decrease"; } - /** @name PalletParachainStakingCall (109) */ + /** @name PalletParachainStakingCall (110) */ interface PalletParachainStakingCall extends Enum { readonly isSetStakingExpectations: boolean; readonly asSetStakingExpectations: { @@ -1736,7 +1740,7 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly isSetInflationDistributionConfig: boolean; readonly asSetInflationDistributionConfig: { - readonly new_: Vec; + readonly new_: PalletParachainStakingInflationDistributionConfig; } & Struct; readonly type: | "SetStakingExpectations" @@ -1774,13 +1778,13 @@ declare module "@polkadot/types/lookup" { | "SetInflationDistributionConfig"; } - /** @name PalletAuthorInherentCall (112) */ + /** @name PalletAuthorInherentCall (113) */ interface PalletAuthorInherentCall extends Enum { readonly isKickOffAuthorshipValidation: boolean; readonly type: "KickOffAuthorshipValidation"; } - /** @name PalletAuthorSlotFilterCall (113) */ + /** @name PalletAuthorSlotFilterCall (114) */ interface PalletAuthorSlotFilterCall extends Enum { readonly isSetEligible: boolean; readonly asSetEligible: { @@ -1789,7 +1793,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetEligible"; } - /** @name PalletAuthorMappingCall (114) */ + /** @name PalletAuthorMappingCall (115) */ interface PalletAuthorMappingCall extends Enum { readonly isAddAssociation: boolean; readonly asAddAssociation: { @@ -1817,7 +1821,7 @@ declare module "@polkadot/types/lookup" { | "SetKeys"; } - /** @name PalletMoonbeamOrbitersCall (115) */ + /** @name PalletMoonbeamOrbitersCall (116) */ interface PalletMoonbeamOrbitersCall extends Enum { readonly isCollatorAddOrbiter: boolean; readonly asCollatorAddOrbiter: { @@ -1854,7 +1858,7 @@ declare module "@polkadot/types/lookup" { | "RemoveCollator"; } - /** @name PalletUtilityCall (116) */ + /** @name PalletUtilityCall (117) */ interface PalletUtilityCall extends Enum { readonly isBatch: boolean; readonly asBatch: { @@ -1892,7 +1896,7 @@ declare module "@polkadot/types/lookup" { | "WithWeight"; } - /** @name MoonbeamRuntimeOriginCaller (118) */ + /** @name MoonbeamRuntimeOriginCaller (119) */ interface MoonbeamRuntimeOriginCaller extends Enum { readonly isSystem: boolean; readonly asSystem: FrameSupportDispatchRawOrigin; @@ -1923,7 +1927,7 @@ declare module "@polkadot/types/lookup" { | "EthereumXcm"; } - /** @name FrameSupportDispatchRawOrigin (119) */ + /** @name FrameSupportDispatchRawOrigin (120) */ interface FrameSupportDispatchRawOrigin extends Enum { readonly isRoot: boolean; readonly isSigned: boolean; @@ -1932,14 +1936,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Root" | "Signed" | "None"; } - /** @name PalletEthereumRawOrigin (120) */ + /** @name PalletEthereumRawOrigin (121) */ interface PalletEthereumRawOrigin extends Enum { readonly isEthereumTransaction: boolean; readonly asEthereumTransaction: H160; readonly type: "EthereumTransaction"; } - /** @name MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin (121) */ + /** @name MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin (122) */ interface MoonbeamRuntimeGovernanceOriginsCustomOriginsOrigin extends Enum { readonly isWhitelistedCaller: boolean; readonly isGeneralAdmin: boolean; @@ -1954,7 +1958,7 @@ declare module "@polkadot/types/lookup" { | "FastGeneralAdmin"; } - /** @name PalletCollectiveRawOrigin (122) */ + /** @name PalletCollectiveRawOrigin (123) */ interface PalletCollectiveRawOrigin extends Enum { readonly isMembers: boolean; readonly asMembers: ITuple<[u32, u32]>; @@ -1964,7 +1968,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Members" | "Member" | "Phantom"; } - /** @name CumulusPalletXcmOrigin (124) */ + /** @name CumulusPalletXcmOrigin (125) */ interface CumulusPalletXcmOrigin extends Enum { readonly isRelay: boolean; readonly isSiblingParachain: boolean; @@ -1972,7 +1976,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Relay" | "SiblingParachain"; } - /** @name PalletXcmOrigin (125) */ + /** @name PalletXcmOrigin (126) */ interface PalletXcmOrigin extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV4Location; @@ -1981,13 +1985,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Xcm" | "Response"; } - /** @name StagingXcmV4Location (126) */ + /** @name StagingXcmV4Location (127) */ interface StagingXcmV4Location extends Struct { readonly parents: u8; readonly interior: StagingXcmV4Junctions; } - /** @name StagingXcmV4Junctions (127) */ + /** @name StagingXcmV4Junctions (128) */ interface StagingXcmV4Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2009,7 +2013,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name StagingXcmV4Junction (129) */ + /** @name StagingXcmV4Junction (130) */ interface StagingXcmV4Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2058,7 +2062,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name StagingXcmV4JunctionNetworkId (132) */ + /** @name StagingXcmV4JunctionNetworkId (133) */ interface StagingXcmV4JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -2093,7 +2097,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3JunctionBodyId (133) */ + /** @name XcmV3JunctionBodyId (134) */ interface XcmV3JunctionBodyId extends Enum { readonly isUnit: boolean; readonly isMoniker: boolean; @@ -2120,7 +2124,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV3JunctionBodyPart (134) */ + /** @name XcmV3JunctionBodyPart (135) */ interface XcmV3JunctionBodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -2145,17 +2149,17 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name PalletEthereumXcmRawOrigin (142) */ + /** @name PalletEthereumXcmRawOrigin (143) */ interface PalletEthereumXcmRawOrigin extends Enum { readonly isXcmEthereumTransaction: boolean; readonly asXcmEthereumTransaction: H160; readonly type: "XcmEthereumTransaction"; } - /** @name SpCoreVoid (143) */ + /** @name SpCoreVoid (144) */ type SpCoreVoid = Null; - /** @name PalletProxyCall (144) */ + /** @name PalletProxyCall (145) */ interface PalletProxyCall extends Enum { readonly isProxy: boolean; readonly asProxy: { @@ -2225,14 +2229,14 @@ declare module "@polkadot/types/lookup" { | "ProxyAnnounced"; } - /** @name PalletMaintenanceModeCall (146) */ + /** @name PalletMaintenanceModeCall (147) */ interface PalletMaintenanceModeCall extends Enum { readonly isEnterMaintenanceMode: boolean; readonly isResumeNormalOperation: boolean; readonly type: "EnterMaintenanceMode" | "ResumeNormalOperation"; } - /** @name PalletIdentityCall (147) */ + /** @name PalletIdentityCall (148) */ interface PalletIdentityCall extends Enum { readonly isAddRegistrar: boolean; readonly asAddRegistrar: { @@ -2354,7 +2358,7 @@ declare module "@polkadot/types/lookup" { | "RemoveDanglingUsername"; } - /** @name PalletIdentityLegacyIdentityInfo (148) */ + /** @name PalletIdentityLegacyIdentityInfo (149) */ interface PalletIdentityLegacyIdentityInfo extends Struct { readonly additional: Vec>; readonly display: Data; @@ -2367,7 +2371,7 @@ declare module "@polkadot/types/lookup" { readonly twitter: Data; } - /** @name PalletIdentityJudgement (186) */ + /** @name PalletIdentityJudgement (187) */ interface PalletIdentityJudgement extends Enum { readonly isUnknown: boolean; readonly isFeePaid: boolean; @@ -2387,10 +2391,10 @@ declare module "@polkadot/types/lookup" { | "Erroneous"; } - /** @name AccountEthereumSignature (188) */ + /** @name AccountEthereumSignature (189) */ interface AccountEthereumSignature extends U8aFixed {} - /** @name PalletMultisigCall (190) */ + /** @name PalletMultisigCall (191) */ interface PalletMultisigCall extends Enum { readonly isAsMultiThreshold1: boolean; readonly asAsMultiThreshold1: { @@ -2423,7 +2427,7 @@ declare module "@polkadot/types/lookup" { readonly type: "AsMultiThreshold1" | "AsMulti" | "ApproveAsMulti" | "CancelAsMulti"; } - /** @name PalletMoonbeamLazyMigrationsCall (192) */ + /** @name PalletMoonbeamLazyMigrationsCall (193) */ interface PalletMoonbeamLazyMigrationsCall extends Enum { readonly isClearSuicidedStorage: boolean; readonly asClearSuicidedStorage: { @@ -2437,7 +2441,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ClearSuicidedStorage" | "CreateContractMetadata"; } - /** @name PalletEvmCall (195) */ + /** @name PalletEvmCall (196) */ interface PalletEvmCall extends Enum { readonly isWithdraw: boolean; readonly asWithdraw: { @@ -2482,7 +2486,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Withdraw" | "Call" | "Create" | "Create2"; } - /** @name PalletEthereumCall (201) */ + /** @name PalletEthereumCall (202) */ interface PalletEthereumCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -2491,7 +2495,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Transact"; } - /** @name EthereumTransactionTransactionV2 (202) */ + /** @name EthereumTransactionTransactionV2 (203) */ interface EthereumTransactionTransactionV2 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumTransactionLegacyTransaction; @@ -2502,7 +2506,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumTransactionLegacyTransaction (203) */ + /** @name EthereumTransactionLegacyTransaction (204) */ interface EthereumTransactionLegacyTransaction extends Struct { readonly nonce: U256; readonly gasPrice: U256; @@ -2513,7 +2517,7 @@ declare module "@polkadot/types/lookup" { readonly signature: EthereumTransactionTransactionSignature; } - /** @name EthereumTransactionTransactionAction (204) */ + /** @name EthereumTransactionTransactionAction (205) */ interface EthereumTransactionTransactionAction extends Enum { readonly isCall: boolean; readonly asCall: H160; @@ -2521,14 +2525,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Call" | "Create"; } - /** @name EthereumTransactionTransactionSignature (205) */ + /** @name EthereumTransactionTransactionSignature (206) */ interface EthereumTransactionTransactionSignature extends Struct { readonly v: u64; readonly r: H256; readonly s: H256; } - /** @name EthereumTransactionEip2930Transaction (207) */ + /** @name EthereumTransactionEip2930Transaction (208) */ interface EthereumTransactionEip2930Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2543,13 +2547,13 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name EthereumTransactionAccessListItem (209) */ + /** @name EthereumTransactionAccessListItem (210) */ interface EthereumTransactionAccessListItem extends Struct { readonly address: H160; readonly storageKeys: Vec; } - /** @name EthereumTransactionEip1559Transaction (210) */ + /** @name EthereumTransactionEip1559Transaction (211) */ interface EthereumTransactionEip1559Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2565,7 +2569,7 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name PalletSchedulerCall (211) */ + /** @name PalletSchedulerCall (212) */ interface PalletSchedulerCall extends Enum { readonly isSchedule: boolean; readonly asSchedule: { @@ -2639,7 +2643,7 @@ declare module "@polkadot/types/lookup" { | "CancelRetryNamed"; } - /** @name PalletPreimageCall (213) */ + /** @name PalletPreimageCall (214) */ interface PalletPreimageCall extends Enum { readonly isNotePreimage: boolean; readonly asNotePreimage: { @@ -2669,7 +2673,7 @@ declare module "@polkadot/types/lookup" { | "EnsureUpdated"; } - /** @name PalletConvictionVotingCall (214) */ + /** @name PalletConvictionVotingCall (215) */ interface PalletConvictionVotingCall extends Enum { readonly isVote: boolean; readonly asVote: { @@ -2706,7 +2710,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Vote" | "Delegate" | "Undelegate" | "Unlock" | "RemoveVote" | "RemoveOtherVote"; } - /** @name PalletConvictionVotingVoteAccountVote (215) */ + /** @name PalletConvictionVotingVoteAccountVote (216) */ interface PalletConvictionVotingVoteAccountVote extends Enum { readonly isStandard: boolean; readonly asStandard: { @@ -2727,7 +2731,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Standard" | "Split" | "SplitAbstain"; } - /** @name PalletConvictionVotingConviction (217) */ + /** @name PalletConvictionVotingConviction (218) */ interface PalletConvictionVotingConviction extends Enum { readonly isNone: boolean; readonly isLocked1x: boolean; @@ -2746,7 +2750,7 @@ declare module "@polkadot/types/lookup" { | "Locked6x"; } - /** @name PalletReferendaCall (219) */ + /** @name PalletReferendaCall (220) */ interface PalletReferendaCall extends Enum { readonly isSubmit: boolean; readonly asSubmit: { @@ -2799,7 +2803,7 @@ declare module "@polkadot/types/lookup" { | "SetMetadata"; } - /** @name FrameSupportScheduleDispatchTime (220) */ + /** @name FrameSupportScheduleDispatchTime (221) */ interface FrameSupportScheduleDispatchTime extends Enum { readonly isAt: boolean; readonly asAt: u32; @@ -2808,7 +2812,7 @@ declare module "@polkadot/types/lookup" { readonly type: "At" | "After"; } - /** @name PalletWhitelistCall (222) */ + /** @name PalletWhitelistCall (223) */ interface PalletWhitelistCall extends Enum { readonly isWhitelistCall: boolean; readonly asWhitelistCall: { @@ -2835,7 +2839,7 @@ declare module "@polkadot/types/lookup" { | "DispatchWhitelistedCallWithPreimage"; } - /** @name PalletCollectiveCall (223) */ + /** @name PalletCollectiveCall (224) */ interface PalletCollectiveCall extends Enum { readonly isSetMembers: boolean; readonly asSetMembers: { @@ -2874,7 +2878,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetMembers" | "Execute" | "Propose" | "Vote" | "DisapproveProposal" | "Close"; } - /** @name PalletTreasuryCall (225) */ + /** @name PalletTreasuryCall (226) */ interface PalletTreasuryCall extends Enum { readonly isProposeSpend: boolean; readonly asProposeSpend: { @@ -2929,7 +2933,7 @@ declare module "@polkadot/types/lookup" { | "VoidSpend"; } - /** @name PalletCrowdloanRewardsCall (227) */ + /** @name PalletCrowdloanRewardsCall (228) */ interface PalletCrowdloanRewardsCall extends Enum { readonly isAssociateNativeIdentity: boolean; readonly asAssociateNativeIdentity: { @@ -2965,7 +2969,7 @@ declare module "@polkadot/types/lookup" { | "InitializeRewardVec"; } - /** @name SpRuntimeMultiSignature (228) */ + /** @name SpRuntimeMultiSignature (229) */ interface SpRuntimeMultiSignature extends Enum { readonly isEd25519: boolean; readonly asEd25519: U8aFixed; @@ -2976,10 +2980,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Ed25519" | "Sr25519" | "Ecdsa"; } - /** @name CumulusPalletDmpQueueCall (234) */ + /** @name CumulusPalletDmpQueueCall (235) */ type CumulusPalletDmpQueueCall = Null; - /** @name PalletXcmCall (235) */ + /** @name PalletXcmCall (236) */ interface PalletXcmCall extends Enum { readonly isSend: boolean; readonly asSend: { @@ -3082,7 +3086,7 @@ declare module "@polkadot/types/lookup" { | "TransferAssetsUsingTypeAndThen"; } - /** @name XcmVersionedLocation (236) */ + /** @name XcmVersionedLocation (237) */ interface XcmVersionedLocation extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiLocation; @@ -3093,13 +3097,13 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2MultiLocation (237) */ + /** @name XcmV2MultiLocation (238) */ interface XcmV2MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV2MultilocationJunctions; } - /** @name XcmV2MultilocationJunctions (238) */ + /** @name XcmV2MultilocationJunctions (239) */ interface XcmV2MultilocationJunctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3146,7 +3150,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV2Junction (239) */ + /** @name XcmV2Junction (240) */ interface XcmV2Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3189,7 +3193,7 @@ declare module "@polkadot/types/lookup" { | "Plurality"; } - /** @name XcmV2NetworkId (240) */ + /** @name XcmV2NetworkId (241) */ interface XcmV2NetworkId extends Enum { readonly isAny: boolean; readonly isNamed: boolean; @@ -3199,7 +3203,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Any" | "Named" | "Polkadot" | "Kusama"; } - /** @name XcmV2BodyId (242) */ + /** @name XcmV2BodyId (243) */ interface XcmV2BodyId extends Enum { readonly isUnit: boolean; readonly isNamed: boolean; @@ -3226,7 +3230,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV2BodyPart (243) */ + /** @name XcmV2BodyPart (244) */ interface XcmV2BodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -3251,13 +3255,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name StagingXcmV3MultiLocation (244) */ + /** @name StagingXcmV3MultiLocation (245) */ interface StagingXcmV3MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV3Junctions; } - /** @name XcmV3Junctions (245) */ + /** @name XcmV3Junctions (246) */ interface XcmV3Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3304,7 +3308,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV3Junction (246) */ + /** @name XcmV3Junction (247) */ interface XcmV3Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3353,7 +3357,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name XcmV3JunctionNetworkId (248) */ + /** @name XcmV3JunctionNetworkId (249) */ interface XcmV3JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -3388,7 +3392,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmVersionedXcm (249) */ + /** @name XcmVersionedXcm (250) */ interface XcmVersionedXcm extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Xcm; @@ -3399,10 +3403,10 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2Xcm (250) */ + /** @name XcmV2Xcm (251) */ interface XcmV2Xcm extends Vec {} - /** @name XcmV2Instruction (252) */ + /** @name XcmV2Instruction (253) */ interface XcmV2Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV2MultiassetMultiAssets; @@ -3550,16 +3554,16 @@ declare module "@polkadot/types/lookup" { | "UnsubscribeVersion"; } - /** @name XcmV2MultiassetMultiAssets (253) */ + /** @name XcmV2MultiassetMultiAssets (254) */ interface XcmV2MultiassetMultiAssets extends Vec {} - /** @name XcmV2MultiAsset (255) */ + /** @name XcmV2MultiAsset (256) */ interface XcmV2MultiAsset extends Struct { readonly id: XcmV2MultiassetAssetId; readonly fun: XcmV2MultiassetFungibility; } - /** @name XcmV2MultiassetAssetId (256) */ + /** @name XcmV2MultiassetAssetId (257) */ interface XcmV2MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: XcmV2MultiLocation; @@ -3568,7 +3572,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV2MultiassetFungibility (257) */ + /** @name XcmV2MultiassetFungibility (258) */ interface XcmV2MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3577,7 +3581,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2MultiassetAssetInstance (258) */ + /** @name XcmV2MultiassetAssetInstance (259) */ interface XcmV2MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3595,7 +3599,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32" | "Blob"; } - /** @name XcmV2Response (259) */ + /** @name XcmV2Response (260) */ interface XcmV2Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -3607,7 +3611,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Null" | "Assets" | "ExecutionResult" | "Version"; } - /** @name XcmV2TraitsError (262) */ + /** @name XcmV2TraitsError (263) */ interface XcmV2TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -3666,7 +3670,7 @@ declare module "@polkadot/types/lookup" { | "WeightNotComputable"; } - /** @name XcmV2OriginKind (263) */ + /** @name XcmV2OriginKind (264) */ interface XcmV2OriginKind extends Enum { readonly isNative: boolean; readonly isSovereignAccount: boolean; @@ -3675,12 +3679,12 @@ declare module "@polkadot/types/lookup" { readonly type: "Native" | "SovereignAccount" | "Superuser" | "Xcm"; } - /** @name XcmDoubleEncoded (264) */ + /** @name XcmDoubleEncoded (265) */ interface XcmDoubleEncoded extends Struct { readonly encoded: Bytes; } - /** @name XcmV2MultiassetMultiAssetFilter (265) */ + /** @name XcmV2MultiassetMultiAssetFilter (266) */ interface XcmV2MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV2MultiassetMultiAssets; @@ -3689,7 +3693,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV2MultiassetWildMultiAsset (266) */ + /** @name XcmV2MultiassetWildMultiAsset (267) */ interface XcmV2MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -3700,14 +3704,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf"; } - /** @name XcmV2MultiassetWildFungibility (267) */ + /** @name XcmV2MultiassetWildFungibility (268) */ interface XcmV2MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2WeightLimit (268) */ + /** @name XcmV2WeightLimit (269) */ interface XcmV2WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -3715,10 +3719,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmV3Xcm (269) */ + /** @name XcmV3Xcm (270) */ interface XcmV3Xcm extends Vec {} - /** @name XcmV3Instruction (271) */ + /** @name XcmV3Instruction (272) */ interface XcmV3Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV3MultiassetMultiAssets; @@ -3948,16 +3952,16 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name XcmV3MultiassetMultiAssets (272) */ + /** @name XcmV3MultiassetMultiAssets (273) */ interface XcmV3MultiassetMultiAssets extends Vec {} - /** @name XcmV3MultiAsset (274) */ + /** @name XcmV3MultiAsset (275) */ interface XcmV3MultiAsset extends Struct { readonly id: XcmV3MultiassetAssetId; readonly fun: XcmV3MultiassetFungibility; } - /** @name XcmV3MultiassetAssetId (275) */ + /** @name XcmV3MultiassetAssetId (276) */ interface XcmV3MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: StagingXcmV3MultiLocation; @@ -3966,7 +3970,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV3MultiassetFungibility (276) */ + /** @name XcmV3MultiassetFungibility (277) */ interface XcmV3MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3975,7 +3979,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3MultiassetAssetInstance (277) */ + /** @name XcmV3MultiassetAssetInstance (278) */ interface XcmV3MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3991,7 +3995,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name XcmV3Response (278) */ + /** @name XcmV3Response (279) */ interface XcmV3Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4013,7 +4017,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name XcmV3TraitsError (281) */ + /** @name XcmV3TraitsError (282) */ interface XcmV3TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -4100,7 +4104,7 @@ declare module "@polkadot/types/lookup" { | "ExceedsStackLimit"; } - /** @name XcmV3PalletInfo (283) */ + /** @name XcmV3PalletInfo (284) */ interface XcmV3PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4110,7 +4114,7 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3MaybeErrorCode (286) */ + /** @name XcmV3MaybeErrorCode (287) */ interface XcmV3MaybeErrorCode extends Enum { readonly isSuccess: boolean; readonly isError: boolean; @@ -4120,14 +4124,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Success" | "Error" | "TruncatedError"; } - /** @name XcmV3QueryResponseInfo (289) */ + /** @name XcmV3QueryResponseInfo (290) */ interface XcmV3QueryResponseInfo extends Struct { readonly destination: StagingXcmV3MultiLocation; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name XcmV3MultiassetMultiAssetFilter (290) */ + /** @name XcmV3MultiassetMultiAssetFilter (291) */ interface XcmV3MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV3MultiassetMultiAssets; @@ -4136,7 +4140,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV3MultiassetWildMultiAsset (291) */ + /** @name XcmV3MultiassetWildMultiAsset (292) */ interface XcmV3MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4155,14 +4159,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name XcmV3MultiassetWildFungibility (292) */ + /** @name XcmV3MultiassetWildFungibility (293) */ interface XcmV3MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3WeightLimit (293) */ + /** @name XcmV3WeightLimit (294) */ interface XcmV3WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -4170,10 +4174,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name StagingXcmV4Xcm (294) */ + /** @name StagingXcmV4Xcm (295) */ interface StagingXcmV4Xcm extends Vec {} - /** @name StagingXcmV4Instruction (296) */ + /** @name StagingXcmV4Instruction (297) */ interface StagingXcmV4Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: StagingXcmV4AssetAssets; @@ -4403,19 +4407,19 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name StagingXcmV4AssetAssets (297) */ + /** @name StagingXcmV4AssetAssets (298) */ interface StagingXcmV4AssetAssets extends Vec {} - /** @name StagingXcmV4Asset (299) */ + /** @name StagingXcmV4Asset (300) */ interface StagingXcmV4Asset extends Struct { readonly id: StagingXcmV4AssetAssetId; readonly fun: StagingXcmV4AssetFungibility; } - /** @name StagingXcmV4AssetAssetId (300) */ + /** @name StagingXcmV4AssetAssetId (301) */ interface StagingXcmV4AssetAssetId extends StagingXcmV4Location {} - /** @name StagingXcmV4AssetFungibility (301) */ + /** @name StagingXcmV4AssetFungibility (302) */ interface StagingXcmV4AssetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -4424,7 +4428,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmV4AssetAssetInstance (302) */ + /** @name StagingXcmV4AssetAssetInstance (303) */ interface StagingXcmV4AssetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -4440,7 +4444,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name StagingXcmV4Response (303) */ + /** @name StagingXcmV4Response (304) */ interface StagingXcmV4Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4462,7 +4466,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name StagingXcmV4PalletInfo (305) */ + /** @name StagingXcmV4PalletInfo (306) */ interface StagingXcmV4PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4472,14 +4476,14 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name StagingXcmV4QueryResponseInfo (309) */ + /** @name StagingXcmV4QueryResponseInfo (310) */ interface StagingXcmV4QueryResponseInfo extends Struct { readonly destination: StagingXcmV4Location; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name StagingXcmV4AssetAssetFilter (310) */ + /** @name StagingXcmV4AssetAssetFilter (311) */ interface StagingXcmV4AssetAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: StagingXcmV4AssetAssets; @@ -4488,7 +4492,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name StagingXcmV4AssetWildAsset (311) */ + /** @name StagingXcmV4AssetWildAsset (312) */ interface StagingXcmV4AssetWildAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4507,14 +4511,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name StagingXcmV4AssetWildFungibility (312) */ + /** @name StagingXcmV4AssetWildFungibility (313) */ interface StagingXcmV4AssetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmVersionedAssets (313) */ + /** @name XcmVersionedAssets (314) */ interface XcmVersionedAssets extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiassetMultiAssets; @@ -4525,7 +4529,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name StagingXcmExecutorAssetTransferTransferType (325) */ + /** @name StagingXcmExecutorAssetTransferTransferType (326) */ interface StagingXcmExecutorAssetTransferTransferType extends Enum { readonly isTeleport: boolean; readonly isLocalReserve: boolean; @@ -4535,7 +4539,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Teleport" | "LocalReserve" | "DestinationReserve" | "RemoteReserve"; } - /** @name XcmVersionedAssetId (326) */ + /** @name XcmVersionedAssetId (327) */ interface XcmVersionedAssetId extends Enum { readonly isV3: boolean; readonly asV3: XcmV3MultiassetAssetId; @@ -4544,7 +4548,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V3" | "V4"; } - /** @name PalletAssetsCall (327) */ + /** @name PalletAssetsCall (328) */ interface PalletAssetsCall extends Enum { readonly isCreate: boolean; readonly asCreate: { @@ -4758,7 +4762,7 @@ declare module "@polkadot/types/lookup" { | "Block"; } - /** @name PalletAssetManagerCall (328) */ + /** @name PalletAssetManagerCall (329) */ interface PalletAssetManagerCall extends Enum { readonly isRegisterForeignAsset: boolean; readonly asRegisterForeignAsset: { @@ -4790,14 +4794,14 @@ declare module "@polkadot/types/lookup" { | "DestroyForeignAsset"; } - /** @name MoonbeamRuntimeXcmConfigAssetType (329) */ + /** @name MoonbeamRuntimeXcmConfigAssetType (330) */ interface MoonbeamRuntimeXcmConfigAssetType extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV3MultiLocation; readonly type: "Xcm"; } - /** @name MoonbeamRuntimeAssetConfigAssetRegistrarMetadata (330) */ + /** @name MoonbeamRuntimeAssetConfigAssetRegistrarMetadata (331) */ interface MoonbeamRuntimeAssetConfigAssetRegistrarMetadata extends Struct { readonly name: Bytes; readonly symbol: Bytes; @@ -4805,7 +4809,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name OrmlXtokensModuleCall (331) */ + /** @name OrmlXtokensModuleCall (332) */ interface OrmlXtokensModuleCall extends Enum { readonly isTransfer: boolean; readonly asTransfer: { @@ -4858,7 +4862,7 @@ declare module "@polkadot/types/lookup" { | "TransferMultiassets"; } - /** @name MoonbeamRuntimeXcmConfigCurrencyId (332) */ + /** @name MoonbeamRuntimeXcmConfigCurrencyId (333) */ interface MoonbeamRuntimeXcmConfigCurrencyId extends Enum { readonly isSelfReserve: boolean; readonly isForeignAsset: boolean; @@ -4870,7 +4874,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SelfReserve" | "ForeignAsset" | "Erc20"; } - /** @name XcmVersionedAsset (333) */ + /** @name XcmVersionedAsset (334) */ interface XcmVersionedAsset extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiAsset; @@ -4881,7 +4885,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmTransactorCall (336) */ + /** @name PalletXcmTransactorCall (337) */ interface PalletXcmTransactorCall extends Enum { readonly isRegister: boolean; readonly asRegister: { @@ -4958,19 +4962,19 @@ declare module "@polkadot/types/lookup" { | "HrmpManage"; } - /** @name MoonbeamRuntimeXcmConfigTransactors (337) */ + /** @name MoonbeamRuntimeXcmConfigTransactors (338) */ interface MoonbeamRuntimeXcmConfigTransactors extends Enum { readonly isRelay: boolean; readonly type: "Relay"; } - /** @name PalletXcmTransactorCurrencyPayment (338) */ + /** @name PalletXcmTransactorCurrencyPayment (339) */ interface PalletXcmTransactorCurrencyPayment extends Struct { readonly currency: PalletXcmTransactorCurrency; readonly feeAmount: Option; } - /** @name PalletXcmTransactorCurrency (339) */ + /** @name PalletXcmTransactorCurrency (340) */ interface PalletXcmTransactorCurrency extends Enum { readonly isAsCurrencyId: boolean; readonly asAsCurrencyId: MoonbeamRuntimeXcmConfigCurrencyId; @@ -4979,13 +4983,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsCurrencyId" | "AsMultiLocation"; } - /** @name PalletXcmTransactorTransactWeights (341) */ + /** @name PalletXcmTransactorTransactWeights (342) */ interface PalletXcmTransactorTransactWeights extends Struct { readonly transactRequiredWeightAtMost: SpWeightsWeightV2Weight; readonly overallWeight: Option; } - /** @name PalletXcmTransactorHrmpOperation (344) */ + /** @name PalletXcmTransactorHrmpOperation (345) */ interface PalletXcmTransactorHrmpOperation extends Enum { readonly isInitOpen: boolean; readonly asInitOpen: PalletXcmTransactorHrmpInitParams; @@ -5003,20 +5007,20 @@ declare module "@polkadot/types/lookup" { readonly type: "InitOpen" | "Accept" | "Close" | "Cancel"; } - /** @name PalletXcmTransactorHrmpInitParams (345) */ + /** @name PalletXcmTransactorHrmpInitParams (346) */ interface PalletXcmTransactorHrmpInitParams extends Struct { readonly paraId: u32; readonly proposedMaxCapacity: u32; readonly proposedMaxMessageSize: u32; } - /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (346) */ + /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (347) */ interface PolkadotParachainPrimitivesPrimitivesHrmpChannelId extends Struct { readonly sender: u32; readonly recipient: u32; } - /** @name PalletEthereumXcmCall (347) */ + /** @name PalletEthereumXcmCall (348) */ interface PalletEthereumXcmCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -5043,7 +5047,7 @@ declare module "@polkadot/types/lookup" { | "ForceTransactAs"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (348) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (349) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransaction extends Enum { readonly isV1: boolean; readonly asV1: XcmPrimitivesEthereumXcmEthereumXcmTransactionV1; @@ -5052,7 +5056,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V1" | "V2"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (349) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (350) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 extends Struct { readonly gasLimit: U256; readonly feePayment: XcmPrimitivesEthereumXcmEthereumXcmFee; @@ -5062,7 +5066,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (350) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (351) */ interface XcmPrimitivesEthereumXcmEthereumXcmFee extends Enum { readonly isManual: boolean; readonly asManual: XcmPrimitivesEthereumXcmManualEthereumXcmFee; @@ -5070,13 +5074,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Manual" | "Auto"; } - /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (351) */ + /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (352) */ interface XcmPrimitivesEthereumXcmManualEthereumXcmFee extends Struct { readonly gasPrice: Option; readonly maxFeePerGas: Option; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (354) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (355) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 extends Struct { readonly gasLimit: U256; readonly action: EthereumTransactionTransactionAction; @@ -5085,7 +5089,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name PalletMessageQueueCall (356) */ + /** @name PalletMessageQueueCall (357) */ interface PalletMessageQueueCall extends Enum { readonly isReapPage: boolean; readonly asReapPage: { @@ -5102,7 +5106,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ReapPage" | "ExecuteOverweight"; } - /** @name CumulusPrimitivesCoreAggregateMessageOrigin (357) */ + /** @name CumulusPrimitivesCoreAggregateMessageOrigin (358) */ interface CumulusPrimitivesCoreAggregateMessageOrigin extends Enum { readonly isHere: boolean; readonly isParent: boolean; @@ -5111,7 +5115,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "Parent" | "Sibling"; } - /** @name PalletMoonbeamForeignAssetsCall (358) */ + /** @name PalletMoonbeamForeignAssetsCall (359) */ interface PalletMoonbeamForeignAssetsCall extends Enum { readonly isCreateForeignAsset: boolean; readonly asCreateForeignAsset: { @@ -5142,7 +5146,7 @@ declare module "@polkadot/types/lookup" { | "UnfreezeForeignAsset"; } - /** @name PalletXcmWeightTraderCall (360) */ + /** @name PalletXcmWeightTraderCall (361) */ interface PalletXcmWeightTraderCall extends Enum { readonly isAddAsset: boolean; readonly asAddAsset: { @@ -5174,7 +5178,7 @@ declare module "@polkadot/types/lookup" { | "RemoveAsset"; } - /** @name PalletEmergencyParaXcmCall (361) */ + /** @name PalletEmergencyParaXcmCall (362) */ interface PalletEmergencyParaXcmCall extends Enum { readonly isPausedToNormal: boolean; readonly isFastAuthorizeUpgrade: boolean; @@ -5184,23 +5188,23 @@ declare module "@polkadot/types/lookup" { readonly type: "PausedToNormal" | "FastAuthorizeUpgrade"; } - /** @name PalletRandomnessCall (362) */ + /** @name PalletRandomnessCall (363) */ interface PalletRandomnessCall extends Enum { readonly isSetBabeRandomnessResults: boolean; readonly type: "SetBabeRandomnessResults"; } - /** @name SpRuntimeBlakeTwo256 (363) */ + /** @name SpRuntimeBlakeTwo256 (364) */ type SpRuntimeBlakeTwo256 = Null; - /** @name PalletConvictionVotingTally (365) */ + /** @name PalletConvictionVotingTally (366) */ interface PalletConvictionVotingTally extends Struct { readonly ayes: u128; readonly nays: u128; readonly support: u128; } - /** @name PalletWhitelistEvent (366) */ + /** @name PalletWhitelistEvent (367) */ interface PalletWhitelistEvent extends Enum { readonly isCallWhitelisted: boolean; readonly asCallWhitelisted: { @@ -5221,19 +5225,19 @@ declare module "@polkadot/types/lookup" { readonly type: "CallWhitelisted" | "WhitelistedCallRemoved" | "WhitelistedCallDispatched"; } - /** @name FrameSupportDispatchPostDispatchInfo (368) */ + /** @name FrameSupportDispatchPostDispatchInfo (369) */ interface FrameSupportDispatchPostDispatchInfo extends Struct { readonly actualWeight: Option; readonly paysFee: FrameSupportDispatchPays; } - /** @name SpRuntimeDispatchErrorWithPostInfo (369) */ + /** @name SpRuntimeDispatchErrorWithPostInfo (370) */ interface SpRuntimeDispatchErrorWithPostInfo extends Struct { readonly postInfo: FrameSupportDispatchPostDispatchInfo; readonly error: SpRuntimeDispatchError; } - /** @name PalletCollectiveEvent (370) */ + /** @name PalletCollectiveEvent (371) */ interface PalletCollectiveEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5284,7 +5288,7 @@ declare module "@polkadot/types/lookup" { | "Closed"; } - /** @name PalletTreasuryEvent (372) */ + /** @name PalletTreasuryEvent (373) */ interface PalletTreasuryEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5372,7 +5376,7 @@ declare module "@polkadot/types/lookup" { | "SpendProcessed"; } - /** @name PalletCrowdloanRewardsEvent (373) */ + /** @name PalletCrowdloanRewardsEvent (374) */ interface PalletCrowdloanRewardsEvent extends Enum { readonly isInitialPaymentMade: boolean; readonly asInitialPaymentMade: ITuple<[AccountId20, u128]>; @@ -5397,7 +5401,7 @@ declare module "@polkadot/types/lookup" { | "InitializedAccountWithNotEnoughContribution"; } - /** @name CumulusPalletXcmpQueueEvent (374) */ + /** @name CumulusPalletXcmpQueueEvent (375) */ interface CumulusPalletXcmpQueueEvent extends Enum { readonly isXcmpMessageSent: boolean; readonly asXcmpMessageSent: { @@ -5406,7 +5410,7 @@ declare module "@polkadot/types/lookup" { readonly type: "XcmpMessageSent"; } - /** @name CumulusPalletXcmEvent (375) */ + /** @name CumulusPalletXcmEvent (376) */ interface CumulusPalletXcmEvent extends Enum { readonly isInvalidFormat: boolean; readonly asInvalidFormat: U8aFixed; @@ -5417,7 +5421,7 @@ declare module "@polkadot/types/lookup" { readonly type: "InvalidFormat" | "UnsupportedVersion" | "ExecutedDownward"; } - /** @name StagingXcmV4TraitsOutcome (376) */ + /** @name StagingXcmV4TraitsOutcome (377) */ interface StagingXcmV4TraitsOutcome extends Enum { readonly isComplete: boolean; readonly asComplete: { @@ -5435,7 +5439,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Complete" | "Incomplete" | "Error"; } - /** @name CumulusPalletDmpQueueEvent (377) */ + /** @name CumulusPalletDmpQueueEvent (378) */ interface CumulusPalletDmpQueueEvent extends Enum { readonly isStartedExport: boolean; readonly isExported: boolean; @@ -5480,7 +5484,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmEvent (378) */ + /** @name PalletXcmEvent (379) */ interface PalletXcmEvent extends Enum { readonly isAttempted: boolean; readonly asAttempted: { @@ -5645,7 +5649,7 @@ declare module "@polkadot/types/lookup" { | "VersionMigrationFinished"; } - /** @name PalletAssetsEvent (379) */ + /** @name PalletAssetsEvent (380) */ interface PalletAssetsEvent extends Enum { readonly isCreated: boolean; readonly asCreated: { @@ -5807,7 +5811,7 @@ declare module "@polkadot/types/lookup" { | "Blocked"; } - /** @name PalletAssetManagerEvent (380) */ + /** @name PalletAssetManagerEvent (381) */ interface PalletAssetManagerEvent extends Enum { readonly isForeignAssetRegistered: boolean; readonly asForeignAssetRegistered: { @@ -5849,7 +5853,7 @@ declare module "@polkadot/types/lookup" { | "LocalAssetDestroyed"; } - /** @name OrmlXtokensModuleEvent (381) */ + /** @name OrmlXtokensModuleEvent (382) */ interface OrmlXtokensModuleEvent extends Enum { readonly isTransferredAssets: boolean; readonly asTransferredAssets: { @@ -5861,7 +5865,7 @@ declare module "@polkadot/types/lookup" { readonly type: "TransferredAssets"; } - /** @name PalletXcmTransactorEvent (382) */ + /** @name PalletXcmTransactorEvent (383) */ interface PalletXcmTransactorEvent extends Enum { readonly isTransactedDerivative: boolean; readonly asTransactedDerivative: { @@ -5931,14 +5935,14 @@ declare module "@polkadot/types/lookup" { | "HrmpManagementSent"; } - /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (383) */ + /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (384) */ interface PalletXcmTransactorRemoteTransactInfoWithMaxWeight extends Struct { readonly transactExtraWeight: SpWeightsWeightV2Weight; readonly maxWeight: SpWeightsWeightV2Weight; readonly transactExtraWeightSigned: Option; } - /** @name PalletEthereumXcmEvent (384) */ + /** @name PalletEthereumXcmEvent (385) */ interface PalletEthereumXcmEvent extends Enum { readonly isExecutedFromXcm: boolean; readonly asExecutedFromXcm: { @@ -5948,7 +5952,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ExecutedFromXcm"; } - /** @name PalletMessageQueueEvent (385) */ + /** @name PalletMessageQueueEvent (386) */ interface PalletMessageQueueEvent extends Enum { readonly isProcessingFailed: boolean; readonly asProcessingFailed: { @@ -5978,7 +5982,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProcessingFailed" | "Processed" | "OverweightEnqueued" | "PageReaped"; } - /** @name FrameSupportMessagesProcessMessageError (386) */ + /** @name FrameSupportMessagesProcessMessageError (387) */ interface FrameSupportMessagesProcessMessageError extends Enum { readonly isBadFormat: boolean; readonly isCorrupt: boolean; @@ -5989,7 +5993,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadFormat" | "Corrupt" | "Unsupported" | "Overweight" | "Yield"; } - /** @name PalletMoonbeamForeignAssetsEvent (387) */ + /** @name PalletMoonbeamForeignAssetsEvent (388) */ interface PalletMoonbeamForeignAssetsEvent extends Enum { readonly isForeignAssetCreated: boolean; readonly asForeignAssetCreated: { @@ -6019,7 +6023,7 @@ declare module "@polkadot/types/lookup" { | "ForeignAssetUnfrozen"; } - /** @name PalletXcmWeightTraderEvent (388) */ + /** @name PalletXcmWeightTraderEvent (389) */ interface PalletXcmWeightTraderEvent extends Enum { readonly isSupportedAssetAdded: boolean; readonly asSupportedAssetAdded: { @@ -6051,14 +6055,14 @@ declare module "@polkadot/types/lookup" { | "SupportedAssetRemoved"; } - /** @name PalletEmergencyParaXcmEvent (389) */ + /** @name PalletEmergencyParaXcmEvent (390) */ interface PalletEmergencyParaXcmEvent extends Enum { readonly isEnteredPausedXcmMode: boolean; readonly isNormalXcmOperationResumed: boolean; readonly type: "EnteredPausedXcmMode" | "NormalXcmOperationResumed"; } - /** @name PalletRandomnessEvent (390) */ + /** @name PalletRandomnessEvent (391) */ interface PalletRandomnessEvent extends Enum { readonly isRandomnessRequestedBabeEpoch: boolean; readonly asRandomnessRequestedBabeEpoch: { @@ -6103,7 +6107,7 @@ declare module "@polkadot/types/lookup" { | "RequestExpirationExecuted"; } - /** @name FrameSystemPhase (391) */ + /** @name FrameSystemPhase (392) */ interface FrameSystemPhase extends Enum { readonly isApplyExtrinsic: boolean; readonly asApplyExtrinsic: u32; @@ -6112,33 +6116,33 @@ declare module "@polkadot/types/lookup" { readonly type: "ApplyExtrinsic" | "Finalization" | "Initialization"; } - /** @name FrameSystemLastRuntimeUpgradeInfo (393) */ + /** @name FrameSystemLastRuntimeUpgradeInfo (394) */ interface FrameSystemLastRuntimeUpgradeInfo extends Struct { readonly specVersion: Compact; readonly specName: Text; } - /** @name FrameSystemCodeUpgradeAuthorization (394) */ + /** @name FrameSystemCodeUpgradeAuthorization (395) */ interface FrameSystemCodeUpgradeAuthorization extends Struct { readonly codeHash: H256; readonly checkVersion: bool; } - /** @name FrameSystemLimitsBlockWeights (395) */ + /** @name FrameSystemLimitsBlockWeights (396) */ interface FrameSystemLimitsBlockWeights extends Struct { readonly baseBlock: SpWeightsWeightV2Weight; readonly maxBlock: SpWeightsWeightV2Weight; readonly perClass: FrameSupportDispatchPerDispatchClassWeightsPerClass; } - /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (396) */ + /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (397) */ interface FrameSupportDispatchPerDispatchClassWeightsPerClass extends Struct { readonly normal: FrameSystemLimitsWeightsPerClass; readonly operational: FrameSystemLimitsWeightsPerClass; readonly mandatory: FrameSystemLimitsWeightsPerClass; } - /** @name FrameSystemLimitsWeightsPerClass (397) */ + /** @name FrameSystemLimitsWeightsPerClass (398) */ interface FrameSystemLimitsWeightsPerClass extends Struct { readonly baseExtrinsic: SpWeightsWeightV2Weight; readonly maxExtrinsic: Option; @@ -6146,25 +6150,25 @@ declare module "@polkadot/types/lookup" { readonly reserved: Option; } - /** @name FrameSystemLimitsBlockLength (398) */ + /** @name FrameSystemLimitsBlockLength (399) */ interface FrameSystemLimitsBlockLength extends Struct { readonly max: FrameSupportDispatchPerDispatchClassU32; } - /** @name FrameSupportDispatchPerDispatchClassU32 (399) */ + /** @name FrameSupportDispatchPerDispatchClassU32 (400) */ interface FrameSupportDispatchPerDispatchClassU32 extends Struct { readonly normal: u32; readonly operational: u32; readonly mandatory: u32; } - /** @name SpWeightsRuntimeDbWeight (400) */ + /** @name SpWeightsRuntimeDbWeight (401) */ interface SpWeightsRuntimeDbWeight extends Struct { readonly read: u64; readonly write: u64; } - /** @name SpVersionRuntimeVersion (401) */ + /** @name SpVersionRuntimeVersion (402) */ interface SpVersionRuntimeVersion extends Struct { readonly specName: Text; readonly implName: Text; @@ -6176,7 +6180,7 @@ declare module "@polkadot/types/lookup" { readonly stateVersion: u8; } - /** @name FrameSystemError (405) */ + /** @name FrameSystemError (406) */ interface FrameSystemError extends Enum { readonly isInvalidSpecName: boolean; readonly isSpecVersionNeedsToIncrease: boolean; @@ -6199,14 +6203,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (407) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (408) */ interface CumulusPalletParachainSystemUnincludedSegmentAncestor extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly paraHeadHash: Option; readonly consumedGoAheadSignal: Option; } - /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (408) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (409) */ interface CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth extends Struct { readonly umpMsgCount: u32; readonly umpTotalBytes: u32; @@ -6216,33 +6220,33 @@ declare module "@polkadot/types/lookup" { >; } - /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (410) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (411) */ interface CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate extends Struct { readonly msgCount: u32; readonly totalBytes: u32; } - /** @name PolkadotPrimitivesV7UpgradeGoAhead (414) */ + /** @name PolkadotPrimitivesV7UpgradeGoAhead (415) */ interface PolkadotPrimitivesV7UpgradeGoAhead extends Enum { readonly isAbort: boolean; readonly isGoAhead: boolean; readonly type: "Abort" | "GoAhead"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (415) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (416) */ interface CumulusPalletParachainSystemUnincludedSegmentSegmentTracker extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly hrmpWatermark: Option; readonly consumedGoAheadSignal: Option; } - /** @name PolkadotPrimitivesV7UpgradeRestriction (417) */ + /** @name PolkadotPrimitivesV7UpgradeRestriction (418) */ interface PolkadotPrimitivesV7UpgradeRestriction extends Enum { readonly isPresent: boolean; readonly type: "Present"; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (418) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (419) */ interface CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot extends Struct { readonly dmqMqcHead: H256; readonly relayDispatchQueueRemainingCapacity: CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity; @@ -6250,14 +6254,14 @@ declare module "@polkadot/types/lookup" { readonly egressChannels: Vec>; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (419) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (420) */ interface CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity extends Struct { readonly remainingCount: u32; readonly remainingSize: u32; } - /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (422) */ + /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (423) */ interface PolkadotPrimitivesV7AbridgedHrmpChannel extends Struct { readonly maxCapacity: u32; readonly maxTotalSize: u32; @@ -6267,7 +6271,7 @@ declare module "@polkadot/types/lookup" { readonly mqcHead: Option; } - /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (423) */ + /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (424) */ interface PolkadotPrimitivesV7AbridgedHostConfiguration extends Struct { readonly maxCodeSize: u32; readonly maxHeadDataSize: u32; @@ -6281,19 +6285,19 @@ declare module "@polkadot/types/lookup" { readonly asyncBackingParams: PolkadotPrimitivesV7AsyncBackingAsyncBackingParams; } - /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (424) */ + /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (425) */ interface PolkadotPrimitivesV7AsyncBackingAsyncBackingParams extends Struct { readonly maxCandidateDepth: u32; readonly allowedAncestryLen: u32; } - /** @name PolkadotCorePrimitivesOutboundHrmpMessage (430) */ + /** @name PolkadotCorePrimitivesOutboundHrmpMessage (431) */ interface PolkadotCorePrimitivesOutboundHrmpMessage extends Struct { readonly recipient: u32; readonly data: Bytes; } - /** @name CumulusPalletParachainSystemError (432) */ + /** @name CumulusPalletParachainSystemError (433) */ interface CumulusPalletParachainSystemError extends Enum { readonly isOverlappingUpgrades: boolean; readonly isProhibitedByPolkadot: boolean; @@ -6314,14 +6318,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletBalancesBalanceLock (434) */ + /** @name PalletBalancesBalanceLock (435) */ interface PalletBalancesBalanceLock extends Struct { readonly id: U8aFixed; readonly amount: u128; readonly reasons: PalletBalancesReasons; } - /** @name PalletBalancesReasons (435) */ + /** @name PalletBalancesReasons (436) */ interface PalletBalancesReasons extends Enum { readonly isFee: boolean; readonly isMisc: boolean; @@ -6329,32 +6333,32 @@ declare module "@polkadot/types/lookup" { readonly type: "Fee" | "Misc" | "All"; } - /** @name PalletBalancesReserveData (438) */ + /** @name PalletBalancesReserveData (439) */ interface PalletBalancesReserveData extends Struct { readonly id: U8aFixed; readonly amount: u128; } - /** @name MoonbeamRuntimeRuntimeHoldReason (442) */ + /** @name MoonbeamRuntimeRuntimeHoldReason (443) */ interface MoonbeamRuntimeRuntimeHoldReason extends Enum { readonly isPreimage: boolean; readonly asPreimage: PalletPreimageHoldReason; readonly type: "Preimage"; } - /** @name PalletPreimageHoldReason (443) */ + /** @name PalletPreimageHoldReason (444) */ interface PalletPreimageHoldReason extends Enum { readonly isPreimage: boolean; readonly type: "Preimage"; } - /** @name PalletBalancesIdAmount (446) */ + /** @name PalletBalancesIdAmount (447) */ interface PalletBalancesIdAmount extends Struct { readonly id: Null; readonly amount: u128; } - /** @name PalletBalancesError (448) */ + /** @name PalletBalancesError (449) */ interface PalletBalancesError extends Enum { readonly isVestingBalance: boolean; readonly isLiquidityRestrictions: boolean; @@ -6383,14 +6387,14 @@ declare module "@polkadot/types/lookup" { | "DeltaZero"; } - /** @name PalletTransactionPaymentReleases (449) */ + /** @name PalletTransactionPaymentReleases (450) */ interface PalletTransactionPaymentReleases extends Enum { readonly isV1Ancient: boolean; readonly isV2: boolean; readonly type: "V1Ancient" | "V2"; } - /** @name PalletParachainStakingRoundInfo (450) */ + /** @name PalletParachainStakingRoundInfo (451) */ interface PalletParachainStakingRoundInfo extends Struct { readonly current: u32; readonly first: u32; @@ -6398,7 +6402,7 @@ declare module "@polkadot/types/lookup" { readonly firstSlot: u64; } - /** @name PalletParachainStakingDelegator (451) */ + /** @name PalletParachainStakingDelegator (452) */ interface PalletParachainStakingDelegator extends Struct { readonly id: AccountId20; readonly delegations: PalletParachainStakingSetOrderedSet; @@ -6407,16 +6411,16 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingDelegatorStatus; } - /** @name PalletParachainStakingSetOrderedSet (452) */ + /** @name PalletParachainStakingSetOrderedSet (453) */ interface PalletParachainStakingSetOrderedSet extends Vec {} - /** @name PalletParachainStakingBond (453) */ + /** @name PalletParachainStakingBond (454) */ interface PalletParachainStakingBond extends Struct { readonly owner: AccountId20; readonly amount: u128; } - /** @name PalletParachainStakingDelegatorStatus (455) */ + /** @name PalletParachainStakingDelegatorStatus (456) */ interface PalletParachainStakingDelegatorStatus extends Enum { readonly isActive: boolean; readonly isLeaving: boolean; @@ -6424,7 +6428,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Leaving"; } - /** @name PalletParachainStakingCandidateMetadata (456) */ + /** @name PalletParachainStakingCandidateMetadata (457) */ interface PalletParachainStakingCandidateMetadata extends Struct { readonly bond: u128; readonly delegationCount: u32; @@ -6438,7 +6442,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingCollatorStatus; } - /** @name PalletParachainStakingCapacityStatus (457) */ + /** @name PalletParachainStakingCapacityStatus (458) */ interface PalletParachainStakingCapacityStatus extends Enum { readonly isFull: boolean; readonly isEmpty: boolean; @@ -6446,13 +6450,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Full" | "Empty" | "Partial"; } - /** @name PalletParachainStakingCandidateBondLessRequest (459) */ + /** @name PalletParachainStakingCandidateBondLessRequest (460) */ interface PalletParachainStakingCandidateBondLessRequest extends Struct { readonly amount: u128; readonly whenExecutable: u32; } - /** @name PalletParachainStakingCollatorStatus (460) */ + /** @name PalletParachainStakingCollatorStatus (461) */ interface PalletParachainStakingCollatorStatus extends Enum { readonly isActive: boolean; readonly isIdle: boolean; @@ -6461,50 +6465,50 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Idle" | "Leaving"; } - /** @name PalletParachainStakingDelegationRequestsScheduledRequest (462) */ + /** @name PalletParachainStakingDelegationRequestsScheduledRequest (463) */ interface PalletParachainStakingDelegationRequestsScheduledRequest extends Struct { readonly delegator: AccountId20; readonly whenExecutable: u32; readonly action: PalletParachainStakingDelegationRequestsDelegationAction; } - /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (465) */ + /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (466) */ interface PalletParachainStakingAutoCompoundAutoCompoundConfig extends Struct { readonly delegator: AccountId20; readonly value: Percent; } - /** @name PalletParachainStakingDelegations (467) */ + /** @name PalletParachainStakingDelegations (468) */ interface PalletParachainStakingDelegations extends Struct { readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingSetBoundedOrderedSet (469) */ + /** @name PalletParachainStakingSetBoundedOrderedSet (470) */ interface PalletParachainStakingSetBoundedOrderedSet extends Vec {} - /** @name PalletParachainStakingCollatorSnapshot (472) */ + /** @name PalletParachainStakingCollatorSnapshot (473) */ interface PalletParachainStakingCollatorSnapshot extends Struct { readonly bond: u128; readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingBondWithAutoCompound (474) */ + /** @name PalletParachainStakingBondWithAutoCompound (475) */ interface PalletParachainStakingBondWithAutoCompound extends Struct { readonly owner: AccountId20; readonly amount: u128; readonly autoCompound: Percent; } - /** @name PalletParachainStakingDelayedPayout (475) */ + /** @name PalletParachainStakingDelayedPayout (476) */ interface PalletParachainStakingDelayedPayout extends Struct { readonly roundIssuance: u128; readonly totalStakingReward: u128; readonly collatorCommission: Perbill; } - /** @name PalletParachainStakingInflationInflationInfo (476) */ + /** @name PalletParachainStakingInflationInflationInfo (477) */ interface PalletParachainStakingInflationInflationInfo extends Struct { readonly expect: { readonly min: u128; @@ -6523,7 +6527,7 @@ declare module "@polkadot/types/lookup" { } & Struct; } - /** @name PalletParachainStakingError (477) */ + /** @name PalletParachainStakingError (478) */ interface PalletParachainStakingError extends Enum { readonly isDelegatorDNE: boolean; readonly isDelegatorDNEinTopNorBottom: boolean; @@ -6640,7 +6644,7 @@ declare module "@polkadot/types/lookup" { | "CurrentRoundTooLow"; } - /** @name PalletAuthorInherentError (478) */ + /** @name PalletAuthorInherentError (479) */ interface PalletAuthorInherentError extends Enum { readonly isAuthorAlreadySet: boolean; readonly isNoAccountId: boolean; @@ -6648,14 +6652,14 @@ declare module "@polkadot/types/lookup" { readonly type: "AuthorAlreadySet" | "NoAccountId" | "CannotBeAuthor"; } - /** @name PalletAuthorMappingRegistrationInfo (479) */ + /** @name PalletAuthorMappingRegistrationInfo (480) */ interface PalletAuthorMappingRegistrationInfo extends Struct { readonly account: AccountId20; readonly deposit: u128; readonly keys_: SessionKeysPrimitivesVrfVrfCryptoPublic; } - /** @name PalletAuthorMappingError (480) */ + /** @name PalletAuthorMappingError (481) */ interface PalletAuthorMappingError extends Enum { readonly isAssociationNotFound: boolean; readonly isNotYourAssociation: boolean; @@ -6676,20 +6680,20 @@ declare module "@polkadot/types/lookup" { | "DecodeKeysFailed"; } - /** @name PalletMoonbeamOrbitersCollatorPoolInfo (481) */ + /** @name PalletMoonbeamOrbitersCollatorPoolInfo (482) */ interface PalletMoonbeamOrbitersCollatorPoolInfo extends Struct { readonly orbiters: Vec; readonly maybeCurrentOrbiter: Option; readonly nextOrbiter: u32; } - /** @name PalletMoonbeamOrbitersCurrentOrbiter (483) */ + /** @name PalletMoonbeamOrbitersCurrentOrbiter (484) */ interface PalletMoonbeamOrbitersCurrentOrbiter extends Struct { readonly accountId: AccountId20; readonly removed: bool; } - /** @name PalletMoonbeamOrbitersError (484) */ + /** @name PalletMoonbeamOrbitersError (485) */ interface PalletMoonbeamOrbitersError extends Enum { readonly isCollatorAlreadyAdded: boolean; readonly isCollatorNotFound: boolean; @@ -6712,27 +6716,27 @@ declare module "@polkadot/types/lookup" { | "OrbiterStillInAPool"; } - /** @name PalletUtilityError (487) */ + /** @name PalletUtilityError (488) */ interface PalletUtilityError extends Enum { readonly isTooManyCalls: boolean; readonly type: "TooManyCalls"; } - /** @name PalletProxyProxyDefinition (490) */ + /** @name PalletProxyProxyDefinition (491) */ interface PalletProxyProxyDefinition extends Struct { readonly delegate: AccountId20; readonly proxyType: MoonbeamRuntimeProxyType; readonly delay: u32; } - /** @name PalletProxyAnnouncement (494) */ + /** @name PalletProxyAnnouncement (495) */ interface PalletProxyAnnouncement extends Struct { readonly real: AccountId20; readonly callHash: H256; readonly height: u32; } - /** @name PalletProxyError (496) */ + /** @name PalletProxyError (497) */ interface PalletProxyError extends Enum { readonly isTooMany: boolean; readonly isNotFound: boolean; @@ -6753,34 +6757,34 @@ declare module "@polkadot/types/lookup" { | "NoSelfProxy"; } - /** @name PalletMaintenanceModeError (497) */ + /** @name PalletMaintenanceModeError (498) */ interface PalletMaintenanceModeError extends Enum { readonly isAlreadyInMaintenanceMode: boolean; readonly isNotInMaintenanceMode: boolean; readonly type: "AlreadyInMaintenanceMode" | "NotInMaintenanceMode"; } - /** @name PalletIdentityRegistration (499) */ + /** @name PalletIdentityRegistration (500) */ interface PalletIdentityRegistration extends Struct { readonly judgements: Vec>; readonly deposit: u128; readonly info: PalletIdentityLegacyIdentityInfo; } - /** @name PalletIdentityRegistrarInfo (508) */ + /** @name PalletIdentityRegistrarInfo (509) */ interface PalletIdentityRegistrarInfo extends Struct { readonly account: AccountId20; readonly fee: u128; readonly fields: u64; } - /** @name PalletIdentityAuthorityProperties (510) */ + /** @name PalletIdentityAuthorityProperties (511) */ interface PalletIdentityAuthorityProperties extends Struct { readonly suffix: Bytes; readonly allocation: u32; } - /** @name PalletIdentityError (513) */ + /** @name PalletIdentityError (514) */ interface PalletIdentityError extends Enum { readonly isTooManySubAccounts: boolean; readonly isNotFound: boolean; @@ -6837,7 +6841,7 @@ declare module "@polkadot/types/lookup" { | "NotExpired"; } - /** @name PalletMigrationsError (514) */ + /** @name PalletMigrationsError (515) */ interface PalletMigrationsError extends Enum { readonly isPreimageMissing: boolean; readonly isWrongUpperBound: boolean; @@ -6850,7 +6854,7 @@ declare module "@polkadot/types/lookup" { | "PreimageAlreadyExists"; } - /** @name PalletMultisigMultisig (516) */ + /** @name PalletMultisigMultisig (517) */ interface PalletMultisigMultisig extends Struct { readonly when: PalletMultisigTimepoint; readonly deposit: u128; @@ -6858,7 +6862,7 @@ declare module "@polkadot/types/lookup" { readonly approvals: Vec; } - /** @name PalletMultisigError (518) */ + /** @name PalletMultisigError (519) */ interface PalletMultisigError extends Enum { readonly isMinimumThreshold: boolean; readonly isAlreadyApproved: boolean; @@ -6891,7 +6895,7 @@ declare module "@polkadot/types/lookup" { | "AlreadyStored"; } - /** @name PalletMoonbeamLazyMigrationsError (519) */ + /** @name PalletMoonbeamLazyMigrationsError (520) */ interface PalletMoonbeamLazyMigrationsError extends Enum { readonly isLimitCannotBeZero: boolean; readonly isAddressesLengthCannotBeZero: boolean; @@ -6906,13 +6910,13 @@ declare module "@polkadot/types/lookup" { | "ContractNotExist"; } - /** @name PalletEvmCodeMetadata (520) */ + /** @name PalletEvmCodeMetadata (521) */ interface PalletEvmCodeMetadata extends Struct { readonly size_: u64; readonly hash_: H256; } - /** @name PalletEvmError (522) */ + /** @name PalletEvmError (523) */ interface PalletEvmError extends Enum { readonly isBalanceLow: boolean; readonly isFeeOverflow: boolean; @@ -6943,7 +6947,7 @@ declare module "@polkadot/types/lookup" { | "Undefined"; } - /** @name FpRpcTransactionStatus (525) */ + /** @name FpRpcTransactionStatus (526) */ interface FpRpcTransactionStatus extends Struct { readonly transactionHash: H256; readonly transactionIndex: u32; @@ -6954,10 +6958,10 @@ declare module "@polkadot/types/lookup" { readonly logsBloom: EthbloomBloom; } - /** @name EthbloomBloom (527) */ + /** @name EthbloomBloom (528) */ interface EthbloomBloom extends U8aFixed {} - /** @name EthereumReceiptReceiptV3 (529) */ + /** @name EthereumReceiptReceiptV3 (530) */ interface EthereumReceiptReceiptV3 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumReceiptEip658ReceiptData; @@ -6968,7 +6972,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumReceiptEip658ReceiptData (530) */ + /** @name EthereumReceiptEip658ReceiptData (531) */ interface EthereumReceiptEip658ReceiptData extends Struct { readonly statusCode: u8; readonly usedGas: U256; @@ -6976,14 +6980,14 @@ declare module "@polkadot/types/lookup" { readonly logs: Vec; } - /** @name EthereumBlock (531) */ + /** @name EthereumBlock (532) */ interface EthereumBlock extends Struct { readonly header: EthereumHeader; readonly transactions: Vec; readonly ommers: Vec; } - /** @name EthereumHeader (532) */ + /** @name EthereumHeader (533) */ interface EthereumHeader extends Struct { readonly parentHash: H256; readonly ommersHash: H256; @@ -7002,17 +7006,17 @@ declare module "@polkadot/types/lookup" { readonly nonce: EthereumTypesHashH64; } - /** @name EthereumTypesHashH64 (533) */ + /** @name EthereumTypesHashH64 (534) */ interface EthereumTypesHashH64 extends U8aFixed {} - /** @name PalletEthereumError (538) */ + /** @name PalletEthereumError (539) */ interface PalletEthereumError extends Enum { readonly isInvalidSignature: boolean; readonly isPreLogExists: boolean; readonly type: "InvalidSignature" | "PreLogExists"; } - /** @name PalletSchedulerScheduled (541) */ + /** @name PalletSchedulerScheduled (542) */ interface PalletSchedulerScheduled extends Struct { readonly maybeId: Option; readonly priority: u8; @@ -7021,14 +7025,14 @@ declare module "@polkadot/types/lookup" { readonly origin: MoonbeamRuntimeOriginCaller; } - /** @name PalletSchedulerRetryConfig (543) */ + /** @name PalletSchedulerRetryConfig (544) */ interface PalletSchedulerRetryConfig extends Struct { readonly totalRetries: u8; readonly remaining: u8; readonly period: u32; } - /** @name PalletSchedulerError (544) */ + /** @name PalletSchedulerError (545) */ interface PalletSchedulerError extends Enum { readonly isFailedToSchedule: boolean; readonly isNotFound: boolean; @@ -7043,7 +7047,7 @@ declare module "@polkadot/types/lookup" { | "Named"; } - /** @name PalletPreimageOldRequestStatus (545) */ + /** @name PalletPreimageOldRequestStatus (546) */ interface PalletPreimageOldRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7059,7 +7063,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageRequestStatus (548) */ + /** @name PalletPreimageRequestStatus (549) */ interface PalletPreimageRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7075,7 +7079,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageError (554) */ + /** @name PalletPreimageError (555) */ interface PalletPreimageError extends Enum { readonly isTooBig: boolean; readonly isAlreadyNoted: boolean; @@ -7096,7 +7100,7 @@ declare module "@polkadot/types/lookup" { | "TooFew"; } - /** @name PalletConvictionVotingVoteVoting (556) */ + /** @name PalletConvictionVotingVoteVoting (557) */ interface PalletConvictionVotingVoteVoting extends Enum { readonly isCasting: boolean; readonly asCasting: PalletConvictionVotingVoteCasting; @@ -7105,23 +7109,23 @@ declare module "@polkadot/types/lookup" { readonly type: "Casting" | "Delegating"; } - /** @name PalletConvictionVotingVoteCasting (557) */ + /** @name PalletConvictionVotingVoteCasting (558) */ interface PalletConvictionVotingVoteCasting extends Struct { readonly votes: Vec>; readonly delegations: PalletConvictionVotingDelegations; readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingDelegations (561) */ + /** @name PalletConvictionVotingDelegations (562) */ interface PalletConvictionVotingDelegations extends Struct { readonly votes: u128; readonly capital: u128; } - /** @name PalletConvictionVotingVotePriorLock (562) */ + /** @name PalletConvictionVotingVotePriorLock (563) */ interface PalletConvictionVotingVotePriorLock extends ITuple<[u32, u128]> {} - /** @name PalletConvictionVotingVoteDelegating (563) */ + /** @name PalletConvictionVotingVoteDelegating (564) */ interface PalletConvictionVotingVoteDelegating extends Struct { readonly balance: u128; readonly target: AccountId20; @@ -7130,7 +7134,7 @@ declare module "@polkadot/types/lookup" { readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingError (567) */ + /** @name PalletConvictionVotingError (568) */ interface PalletConvictionVotingError extends Enum { readonly isNotOngoing: boolean; readonly isNotVoter: boolean; @@ -7159,7 +7163,7 @@ declare module "@polkadot/types/lookup" { | "BadClass"; } - /** @name PalletReferendaReferendumInfo (568) */ + /** @name PalletReferendaReferendumInfo (569) */ interface PalletReferendaReferendumInfo extends Enum { readonly isOngoing: boolean; readonly asOngoing: PalletReferendaReferendumStatus; @@ -7184,7 +7188,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ongoing" | "Approved" | "Rejected" | "Cancelled" | "TimedOut" | "Killed"; } - /** @name PalletReferendaReferendumStatus (569) */ + /** @name PalletReferendaReferendumStatus (570) */ interface PalletReferendaReferendumStatus extends Struct { readonly track: u16; readonly origin: MoonbeamRuntimeOriginCaller; @@ -7199,19 +7203,19 @@ declare module "@polkadot/types/lookup" { readonly alarm: Option]>>; } - /** @name PalletReferendaDeposit (570) */ + /** @name PalletReferendaDeposit (571) */ interface PalletReferendaDeposit extends Struct { readonly who: AccountId20; readonly amount: u128; } - /** @name PalletReferendaDecidingStatus (573) */ + /** @name PalletReferendaDecidingStatus (574) */ interface PalletReferendaDecidingStatus extends Struct { readonly since: u32; readonly confirming: Option; } - /** @name PalletReferendaTrackInfo (581) */ + /** @name PalletReferendaTrackInfo (582) */ interface PalletReferendaTrackInfo extends Struct { readonly name: Text; readonly maxDeciding: u32; @@ -7224,7 +7228,7 @@ declare module "@polkadot/types/lookup" { readonly minSupport: PalletReferendaCurve; } - /** @name PalletReferendaCurve (582) */ + /** @name PalletReferendaCurve (583) */ interface PalletReferendaCurve extends Enum { readonly isLinearDecreasing: boolean; readonly asLinearDecreasing: { @@ -7248,7 +7252,7 @@ declare module "@polkadot/types/lookup" { readonly type: "LinearDecreasing" | "SteppedDecreasing" | "Reciprocal"; } - /** @name PalletReferendaError (585) */ + /** @name PalletReferendaError (586) */ interface PalletReferendaError extends Enum { readonly isNotOngoing: boolean; readonly isHasDeposit: boolean; @@ -7281,7 +7285,7 @@ declare module "@polkadot/types/lookup" { | "PreimageStoredWithDifferentLength"; } - /** @name PalletWhitelistError (586) */ + /** @name PalletWhitelistError (587) */ interface PalletWhitelistError extends Enum { readonly isUnavailablePreImage: boolean; readonly isUndecodableCall: boolean; @@ -7296,7 +7300,7 @@ declare module "@polkadot/types/lookup" { | "CallAlreadyWhitelisted"; } - /** @name PalletCollectiveVotes (588) */ + /** @name PalletCollectiveVotes (589) */ interface PalletCollectiveVotes extends Struct { readonly index: u32; readonly threshold: u32; @@ -7305,7 +7309,7 @@ declare module "@polkadot/types/lookup" { readonly end: u32; } - /** @name PalletCollectiveError (589) */ + /** @name PalletCollectiveError (590) */ interface PalletCollectiveError extends Enum { readonly isNotMember: boolean; readonly isDuplicateProposal: boolean; @@ -7332,7 +7336,7 @@ declare module "@polkadot/types/lookup" { | "PrimeAccountNotMember"; } - /** @name PalletTreasuryProposal (592) */ + /** @name PalletTreasuryProposal (593) */ interface PalletTreasuryProposal extends Struct { readonly proposer: AccountId20; readonly value: u128; @@ -7340,7 +7344,7 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; } - /** @name PalletTreasurySpendStatus (595) */ + /** @name PalletTreasurySpendStatus (596) */ interface PalletTreasurySpendStatus extends Struct { readonly assetKind: Null; readonly amount: u128; @@ -7350,7 +7354,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletTreasuryPaymentState; } - /** @name PalletTreasuryPaymentState (596) */ + /** @name PalletTreasuryPaymentState (597) */ interface PalletTreasuryPaymentState extends Enum { readonly isPending: boolean; readonly isAttempted: boolean; @@ -7361,10 +7365,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "Attempted" | "Failed"; } - /** @name FrameSupportPalletId (598) */ + /** @name FrameSupportPalletId (599) */ interface FrameSupportPalletId extends U8aFixed {} - /** @name PalletTreasuryError (599) */ + /** @name PalletTreasuryError (600) */ interface PalletTreasuryError extends Enum { readonly isInsufficientProposersBalance: boolean; readonly isInvalidIndex: boolean; @@ -7393,14 +7397,14 @@ declare module "@polkadot/types/lookup" { | "Inconclusive"; } - /** @name PalletCrowdloanRewardsRewardInfo (600) */ + /** @name PalletCrowdloanRewardsRewardInfo (601) */ interface PalletCrowdloanRewardsRewardInfo extends Struct { readonly totalReward: u128; readonly claimedReward: u128; readonly contributedRelayAddresses: Vec; } - /** @name PalletCrowdloanRewardsError (602) */ + /** @name PalletCrowdloanRewardsError (603) */ interface PalletCrowdloanRewardsError extends Enum { readonly isAlreadyAssociated: boolean; readonly isBatchBeyondFundPot: boolean; @@ -7435,7 +7439,7 @@ declare module "@polkadot/types/lookup" { | "InsufficientNumberOfValidProofs"; } - /** @name CumulusPalletXcmpQueueOutboundChannelDetails (607) */ + /** @name CumulusPalletXcmpQueueOutboundChannelDetails (608) */ interface CumulusPalletXcmpQueueOutboundChannelDetails extends Struct { readonly recipient: u32; readonly state: CumulusPalletXcmpQueueOutboundState; @@ -7444,21 +7448,21 @@ declare module "@polkadot/types/lookup" { readonly lastIndex: u16; } - /** @name CumulusPalletXcmpQueueOutboundState (608) */ + /** @name CumulusPalletXcmpQueueOutboundState (609) */ interface CumulusPalletXcmpQueueOutboundState extends Enum { readonly isOk: boolean; readonly isSuspended: boolean; readonly type: "Ok" | "Suspended"; } - /** @name CumulusPalletXcmpQueueQueueConfigData (610) */ + /** @name CumulusPalletXcmpQueueQueueConfigData (611) */ interface CumulusPalletXcmpQueueQueueConfigData extends Struct { readonly suspendThreshold: u32; readonly dropThreshold: u32; readonly resumeThreshold: u32; } - /** @name CumulusPalletXcmpQueueError (611) */ + /** @name CumulusPalletXcmpQueueError (612) */ interface CumulusPalletXcmpQueueError extends Enum { readonly isBadQueueConfig: boolean; readonly isAlreadySuspended: boolean; @@ -7466,7 +7470,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadQueueConfig" | "AlreadySuspended" | "AlreadyResumed"; } - /** @name CumulusPalletDmpQueueMigrationState (612) */ + /** @name CumulusPalletDmpQueueMigrationState (613) */ interface CumulusPalletDmpQueueMigrationState extends Enum { readonly isNotStarted: boolean; readonly isStartedExport: boolean; @@ -7494,7 +7498,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmQueryStatus (615) */ + /** @name PalletXcmQueryStatus (616) */ interface PalletXcmQueryStatus extends Enum { readonly isPending: boolean; readonly asPending: { @@ -7516,7 +7520,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "VersionNotifier" | "Ready"; } - /** @name XcmVersionedResponse (619) */ + /** @name XcmVersionedResponse (620) */ interface XcmVersionedResponse extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Response; @@ -7527,7 +7531,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmVersionMigrationStage (625) */ + /** @name PalletXcmVersionMigrationStage (626) */ interface PalletXcmVersionMigrationStage extends Enum { readonly isMigrateSupportedVersion: boolean; readonly isMigrateVersionNotifiers: boolean; @@ -7541,7 +7545,7 @@ declare module "@polkadot/types/lookup" { | "MigrateAndNotifyOldTargets"; } - /** @name PalletXcmRemoteLockedFungibleRecord (628) */ + /** @name PalletXcmRemoteLockedFungibleRecord (629) */ interface PalletXcmRemoteLockedFungibleRecord extends Struct { readonly amount: u128; readonly owner: XcmVersionedLocation; @@ -7549,7 +7553,7 @@ declare module "@polkadot/types/lookup" { readonly consumers: Vec>; } - /** @name PalletXcmError (635) */ + /** @name PalletXcmError (636) */ interface PalletXcmError extends Enum { readonly isUnreachable: boolean; readonly isSendFailure: boolean; @@ -7602,7 +7606,7 @@ declare module "@polkadot/types/lookup" { | "LocalExecutionIncomplete"; } - /** @name PalletAssetsAssetDetails (636) */ + /** @name PalletAssetsAssetDetails (637) */ interface PalletAssetsAssetDetails extends Struct { readonly owner: AccountId20; readonly issuer: AccountId20; @@ -7618,7 +7622,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletAssetsAssetStatus; } - /** @name PalletAssetsAssetStatus (637) */ + /** @name PalletAssetsAssetStatus (638) */ interface PalletAssetsAssetStatus extends Enum { readonly isLive: boolean; readonly isFrozen: boolean; @@ -7626,7 +7630,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Live" | "Frozen" | "Destroying"; } - /** @name PalletAssetsAssetAccount (639) */ + /** @name PalletAssetsAssetAccount (640) */ interface PalletAssetsAssetAccount extends Struct { readonly balance: u128; readonly status: PalletAssetsAccountStatus; @@ -7634,7 +7638,7 @@ declare module "@polkadot/types/lookup" { readonly extra: Null; } - /** @name PalletAssetsAccountStatus (640) */ + /** @name PalletAssetsAccountStatus (641) */ interface PalletAssetsAccountStatus extends Enum { readonly isLiquid: boolean; readonly isFrozen: boolean; @@ -7642,7 +7646,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Liquid" | "Frozen" | "Blocked"; } - /** @name PalletAssetsExistenceReason (641) */ + /** @name PalletAssetsExistenceReason (642) */ interface PalletAssetsExistenceReason extends Enum { readonly isConsumer: boolean; readonly isSufficient: boolean; @@ -7654,13 +7658,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Consumer" | "Sufficient" | "DepositHeld" | "DepositRefunded" | "DepositFrom"; } - /** @name PalletAssetsApproval (643) */ + /** @name PalletAssetsApproval (644) */ interface PalletAssetsApproval extends Struct { readonly amount: u128; readonly deposit: u128; } - /** @name PalletAssetsAssetMetadata (644) */ + /** @name PalletAssetsAssetMetadata (645) */ interface PalletAssetsAssetMetadata extends Struct { readonly deposit: u128; readonly name: Bytes; @@ -7669,7 +7673,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletAssetsError (646) */ + /** @name PalletAssetsError (647) */ interface PalletAssetsError extends Enum { readonly isBalanceLow: boolean; readonly isNoAccount: boolean; @@ -7714,7 +7718,7 @@ declare module "@polkadot/types/lookup" { | "CallbackFailed"; } - /** @name PalletAssetManagerError (647) */ + /** @name PalletAssetManagerError (648) */ interface PalletAssetManagerError extends Enum { readonly isErrorCreatingAsset: boolean; readonly isAssetAlreadyExists: boolean; @@ -7735,7 +7739,7 @@ declare module "@polkadot/types/lookup" { | "NonExistentLocalAsset"; } - /** @name OrmlXtokensModuleError (648) */ + /** @name OrmlXtokensModuleError (649) */ interface OrmlXtokensModuleError extends Enum { readonly isAssetHasNoReserve: boolean; readonly isNotCrossChainTransfer: boolean; @@ -7780,7 +7784,7 @@ declare module "@polkadot/types/lookup" { | "RateLimited"; } - /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (649) */ + /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (650) */ interface PalletXcmTransactorRelayIndicesRelayChainIndices extends Struct { readonly staking: u8; readonly utility: u8; @@ -7802,7 +7806,7 @@ declare module "@polkadot/types/lookup" { readonly cancelOpenRequest: u8; } - /** @name PalletXcmTransactorError (650) */ + /** @name PalletXcmTransactorError (651) */ interface PalletXcmTransactorError extends Enum { readonly isIndexAlreadyClaimed: boolean; readonly isUnclaimedIndex: boolean; @@ -7861,13 +7865,13 @@ declare module "@polkadot/types/lookup" { | "RefundNotSupportedWithTransactInfo"; } - /** @name PalletEthereumXcmError (651) */ + /** @name PalletEthereumXcmError (652) */ interface PalletEthereumXcmError extends Enum { readonly isEthereumXcmExecutionSuspended: boolean; readonly type: "EthereumXcmExecutionSuspended"; } - /** @name PalletMessageQueueBookState (652) */ + /** @name PalletMessageQueueBookState (653) */ interface PalletMessageQueueBookState extends Struct { readonly begin: u32; readonly end: u32; @@ -7877,13 +7881,13 @@ declare module "@polkadot/types/lookup" { readonly size_: u64; } - /** @name PalletMessageQueueNeighbours (654) */ + /** @name PalletMessageQueueNeighbours (655) */ interface PalletMessageQueueNeighbours extends Struct { readonly prev: CumulusPrimitivesCoreAggregateMessageOrigin; readonly next: CumulusPrimitivesCoreAggregateMessageOrigin; } - /** @name PalletMessageQueuePage (656) */ + /** @name PalletMessageQueuePage (657) */ interface PalletMessageQueuePage extends Struct { readonly remaining: u32; readonly remainingSize: u32; @@ -7893,7 +7897,7 @@ declare module "@polkadot/types/lookup" { readonly heap: Bytes; } - /** @name PalletMessageQueueError (658) */ + /** @name PalletMessageQueueError (659) */ interface PalletMessageQueueError extends Enum { readonly isNotReapable: boolean; readonly isNoPage: boolean; @@ -7916,7 +7920,7 @@ declare module "@polkadot/types/lookup" { | "RecursiveDisallowed"; } - /** @name PalletMoonbeamForeignAssetsAssetStatus (660) */ + /** @name PalletMoonbeamForeignAssetsAssetStatus (661) */ interface PalletMoonbeamForeignAssetsAssetStatus extends Enum { readonly isActive: boolean; readonly isFrozenXcmDepositAllowed: boolean; @@ -7924,7 +7928,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "FrozenXcmDepositAllowed" | "FrozenXcmDepositForbidden"; } - /** @name PalletMoonbeamForeignAssetsError (661) */ + /** @name PalletMoonbeamForeignAssetsError (662) */ interface PalletMoonbeamForeignAssetsError extends Enum { readonly isAssetAlreadyExists: boolean; readonly isAssetAlreadyFrozen: boolean; @@ -7957,7 +7961,7 @@ declare module "@polkadot/types/lookup" { | "TooManyForeignAssets"; } - /** @name PalletXcmWeightTraderError (663) */ + /** @name PalletXcmWeightTraderError (664) */ interface PalletXcmWeightTraderError extends Enum { readonly isAssetAlreadyAdded: boolean; readonly isAssetAlreadyPaused: boolean; @@ -7974,32 +7978,32 @@ declare module "@polkadot/types/lookup" { | "PriceCannotBeZero"; } - /** @name PalletEmergencyParaXcmXcmMode (664) */ + /** @name PalletEmergencyParaXcmXcmMode (665) */ interface PalletEmergencyParaXcmXcmMode extends Enum { readonly isNormal: boolean; readonly isPaused: boolean; readonly type: "Normal" | "Paused"; } - /** @name PalletEmergencyParaXcmError (665) */ + /** @name PalletEmergencyParaXcmError (666) */ interface PalletEmergencyParaXcmError extends Enum { readonly isNotInPausedMode: boolean; readonly type: "NotInPausedMode"; } - /** @name PalletPrecompileBenchmarksError (667) */ + /** @name PalletPrecompileBenchmarksError (668) */ interface PalletPrecompileBenchmarksError extends Enum { readonly isBenchmarkError: boolean; readonly type: "BenchmarkError"; } - /** @name PalletRandomnessRequestState (668) */ + /** @name PalletRandomnessRequestState (669) */ interface PalletRandomnessRequestState extends Struct { readonly request: PalletRandomnessRequest; readonly deposit: u128; } - /** @name PalletRandomnessRequest (669) */ + /** @name PalletRandomnessRequest (670) */ interface PalletRandomnessRequest extends Struct { readonly refundAddress: H160; readonly contractAddress: H160; @@ -8010,7 +8014,7 @@ declare module "@polkadot/types/lookup" { readonly info: PalletRandomnessRequestInfo; } - /** @name PalletRandomnessRequestInfo (670) */ + /** @name PalletRandomnessRequestInfo (671) */ interface PalletRandomnessRequestInfo extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: ITuple<[u64, u64]>; @@ -8019,7 +8023,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRequestType (671) */ + /** @name PalletRandomnessRequestType (672) */ interface PalletRandomnessRequestType extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: u64; @@ -8028,13 +8032,13 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRandomnessResult (672) */ + /** @name PalletRandomnessRandomnessResult (673) */ interface PalletRandomnessRandomnessResult extends Struct { readonly randomness: Option; readonly requestCount: u64; } - /** @name PalletRandomnessError (673) */ + /** @name PalletRandomnessError (674) */ interface PalletRandomnessError extends Enum { readonly isRequestCounterOverflowed: boolean; readonly isRequestFeeOverflowed: boolean; @@ -8063,42 +8067,42 @@ declare module "@polkadot/types/lookup" { | "RandomnessResultNotFilled"; } - /** @name FrameSystemExtensionsCheckNonZeroSender (676) */ + /** @name FrameSystemExtensionsCheckNonZeroSender (677) */ type FrameSystemExtensionsCheckNonZeroSender = Null; - /** @name FrameSystemExtensionsCheckSpecVersion (677) */ + /** @name FrameSystemExtensionsCheckSpecVersion (678) */ type FrameSystemExtensionsCheckSpecVersion = Null; - /** @name FrameSystemExtensionsCheckTxVersion (678) */ + /** @name FrameSystemExtensionsCheckTxVersion (679) */ type FrameSystemExtensionsCheckTxVersion = Null; - /** @name FrameSystemExtensionsCheckGenesis (679) */ + /** @name FrameSystemExtensionsCheckGenesis (680) */ type FrameSystemExtensionsCheckGenesis = Null; - /** @name FrameSystemExtensionsCheckNonce (682) */ + /** @name FrameSystemExtensionsCheckNonce (683) */ interface FrameSystemExtensionsCheckNonce extends Compact {} - /** @name FrameSystemExtensionsCheckWeight (683) */ + /** @name FrameSystemExtensionsCheckWeight (684) */ type FrameSystemExtensionsCheckWeight = Null; - /** @name PalletTransactionPaymentChargeTransactionPayment (684) */ + /** @name PalletTransactionPaymentChargeTransactionPayment (685) */ interface PalletTransactionPaymentChargeTransactionPayment extends Compact {} - /** @name FrameMetadataHashExtensionCheckMetadataHash (685) */ + /** @name FrameMetadataHashExtensionCheckMetadataHash (686) */ interface FrameMetadataHashExtensionCheckMetadataHash extends Struct { readonly mode: FrameMetadataHashExtensionMode; } - /** @name FrameMetadataHashExtensionMode (686) */ + /** @name FrameMetadataHashExtensionMode (687) */ interface FrameMetadataHashExtensionMode extends Enum { readonly isDisabled: boolean; readonly isEnabled: boolean; readonly type: "Disabled" | "Enabled"; } - /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (687) */ + /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (688) */ type CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim = Null; - /** @name MoonbeamRuntimeRuntime (689) */ + /** @name MoonbeamRuntimeRuntime (690) */ type MoonbeamRuntimeRuntime = Null; } // declare module diff --git a/typescript-api/src/moonriver/interfaces/augment-api-events.ts b/typescript-api/src/moonriver/interfaces/augment-api-events.ts index 8c742e6020..fd649055ed 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-events.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-events.ts @@ -12,7 +12,6 @@ import type { Option, Result, U8aFixed, - Vec, bool, u128, u16, @@ -39,7 +38,7 @@ import type { PalletMultisigTimepoint, PalletParachainStakingDelegationRequestsCancelledScheduledRequest, PalletParachainStakingDelegatorAdded, - PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletXcmTransactorHrmpOperation, PalletXcmTransactorRemoteTransactInfoWithMaxWeight, SessionKeysPrimitivesVrfVrfCryptoPublic, @@ -1154,12 +1153,12 @@ declare module "@polkadot/api-base/types/events" { InflationDistributionConfigUpdated: AugmentedEvent< ApiType, [ - old: Vec, - new_: Vec + old: PalletParachainStakingInflationDistributionConfig, + new_: PalletParachainStakingInflationDistributionConfig ], { - old: Vec; - new_: Vec; + old: PalletParachainStakingInflationDistributionConfig; + new_: PalletParachainStakingInflationDistributionConfig; } >; /** Annual inflation input (first 3) was used to derive new per-round inflation (last 3) */ diff --git a/typescript-api/src/moonriver/interfaces/augment-api-query.ts b/typescript-api/src/moonriver/interfaces/augment-api-query.ts index 491dd8595e..2a8957b3d5 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-query.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-query.ts @@ -84,6 +84,7 @@ import type { PalletParachainStakingDelegations, PalletParachainStakingDelegator, PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletParachainStakingInflationInflationInfo, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, diff --git a/typescript-api/src/moonriver/interfaces/augment-api-tx.ts b/typescript-api/src/moonriver/interfaces/augment-api-tx.ts index 1bd671c47d..7622ae53aa 100644 --- a/typescript-api/src/moonriver/interfaces/augment-api-tx.ts +++ b/typescript-api/src/moonriver/interfaces/augment-api-tx.ts @@ -57,6 +57,7 @@ import type { PalletIdentityJudgement, PalletIdentityLegacyIdentityInfo, PalletMultisigTimepoint, + PalletParachainStakingInflationDistributionConfig, PalletXcmTransactorCurrencyPayment, PalletXcmTransactorHrmpOperation, PalletXcmTransactorTransactWeights, @@ -2559,8 +2560,10 @@ declare module "@polkadot/api-base/types/submittable" { >; /** Set the percent of inflation set aside for parachain bond */ setInflationDistributionConfig: AugmentedSubmittable< - (updated: Vec) => SubmittableExtrinsic, - [Vec] + ( + updated: PalletParachainStakingInflationDistributionConfig + ) => SubmittableExtrinsic, + [PalletParachainStakingInflationDistributionConfig] >; /** * Deprecated: please use `set_inflation_distribution_config` instead. diff --git a/typescript-api/src/moonriver/interfaces/lookup.ts b/typescript-api/src/moonriver/interfaces/lookup.ts index c4f1bb30dd..082d462669 100644 --- a/typescript-api/src/moonriver/interfaces/lookup.ts +++ b/typescript-api/src/moonriver/interfaces/lookup.ts @@ -414,8 +414,8 @@ export default { _alias: { new_: "new", }, - old: "[Lookup44;2]", - new_: "[Lookup44;2]", + old: "PalletParachainStakingInflationDistributionConfig", + new_: "PalletParachainStakingInflationDistributionConfig", }, InflationSet: { annualMin: "Perbill", @@ -490,20 +490,25 @@ export default { }, }, /** - * Lookup44: + * Lookup43: + * pallet_parachain_staking::types::InflationDistributionConfig[account::AccountId20](account::AccountId20) + */ + PalletParachainStakingInflationDistributionConfig: "[Lookup45;2]", + /** + * Lookup45: * pallet_parachain_staking::types::InflationDistributionAccount[account::AccountId20](account::AccountId20) */ PalletParachainStakingInflationDistributionAccount: { account: "AccountId20", percent: "Percent", }, - /** Lookup46: pallet_author_slot_filter::pallet::Event */ + /** Lookup47: pallet_author_slot_filter::pallet::Event */ PalletAuthorSlotFilterEvent: { _enum: { EligibleUpdated: "u32", }, }, - /** Lookup48: pallet_author_mapping::pallet::Event */ + /** Lookup49: pallet_author_mapping::pallet::Event */ PalletAuthorMappingEvent: { _enum: { KeysRegistered: { @@ -529,11 +534,11 @@ export default { }, }, }, - /** Lookup49: nimbus_primitives::nimbus_crypto::Public */ + /** Lookup50: nimbus_primitives::nimbus_crypto::Public */ NimbusPrimitivesNimbusCryptoPublic: "[u8;32]", - /** Lookup50: session_keys_primitives::vrf::vrf_crypto::Public */ + /** Lookup51: session_keys_primitives::vrf::vrf_crypto::Public */ SessionKeysPrimitivesVrfVrfCryptoPublic: "[u8;32]", - /** Lookup51: pallet_moonbeam_orbiters::pallet::Event */ + /** Lookup52: pallet_moonbeam_orbiters::pallet::Event */ PalletMoonbeamOrbitersEvent: { _enum: { OrbiterJoinCollatorPool: { @@ -562,7 +567,7 @@ export default { }, }, }, - /** Lookup53: pallet_utility::pallet::Event */ + /** Lookup54: pallet_utility::pallet::Event */ PalletUtilityEvent: { _enum: { BatchInterrupted: { @@ -580,7 +585,7 @@ export default { }, }, }, - /** Lookup56: pallet_proxy::pallet::Event */ + /** Lookup57: pallet_proxy::pallet::Event */ PalletProxyEvent: { _enum: { ProxyExecuted: { @@ -611,7 +616,7 @@ export default { }, }, }, - /** Lookup57: moonriver_runtime::ProxyType */ + /** Lookup58: moonriver_runtime::ProxyType */ MoonriverRuntimeProxyType: { _enum: [ "Any", @@ -624,7 +629,7 @@ export default { "IdentityJudgement", ], }, - /** Lookup59: pallet_maintenance_mode::pallet::Event */ + /** Lookup60: pallet_maintenance_mode::pallet::Event */ PalletMaintenanceModeEvent: { _enum: { EnteredMaintenanceMode: "Null", @@ -637,7 +642,7 @@ export default { }, }, }, - /** Lookup60: pallet_identity::pallet::Event */ + /** Lookup61: pallet_identity::pallet::Event */ PalletIdentityEvent: { _enum: { IdentitySet: { @@ -709,7 +714,7 @@ export default { }, }, }, - /** Lookup62: pallet_migrations::pallet::Event */ + /** Lookup63: pallet_migrations::pallet::Event */ PalletMigrationsEvent: { _enum: { RuntimeUpgradeStarted: "Null", @@ -731,7 +736,7 @@ export default { }, }, }, - /** Lookup63: pallet_multisig::pallet::Event */ + /** Lookup64: pallet_multisig::pallet::Event */ PalletMultisigEvent: { _enum: { NewMultisig: { @@ -760,12 +765,12 @@ export default { }, }, }, - /** Lookup64: pallet_multisig::Timepoint */ + /** Lookup65: pallet_multisig::Timepoint */ PalletMultisigTimepoint: { height: "u32", index: "u32", }, - /** Lookup65: pallet_evm::pallet::Event */ + /** Lookup66: pallet_evm::pallet::Event */ PalletEvmEvent: { _enum: { Log: { @@ -785,13 +790,13 @@ export default { }, }, }, - /** Lookup66: ethereum::log::Log */ + /** Lookup67: ethereum::log::Log */ EthereumLog: { address: "H160", topics: "Vec", data: "Bytes", }, - /** Lookup69: pallet_ethereum::pallet::Event */ + /** Lookup70: pallet_ethereum::pallet::Event */ PalletEthereumEvent: { _enum: { Executed: { @@ -803,7 +808,7 @@ export default { }, }, }, - /** Lookup70: evm_core::error::ExitReason */ + /** Lookup71: evm_core::error::ExitReason */ EvmCoreErrorExitReason: { _enum: { Succeed: "EvmCoreErrorExitSucceed", @@ -812,11 +817,11 @@ export default { Fatal: "EvmCoreErrorExitFatal", }, }, - /** Lookup71: evm_core::error::ExitSucceed */ + /** Lookup72: evm_core::error::ExitSucceed */ EvmCoreErrorExitSucceed: { _enum: ["Stopped", "Returned", "Suicided"], }, - /** Lookup72: evm_core::error::ExitError */ + /** Lookup73: evm_core::error::ExitError */ EvmCoreErrorExitError: { _enum: { StackUnderflow: "Null", @@ -837,11 +842,11 @@ export default { InvalidCode: "u8", }, }, - /** Lookup76: evm_core::error::ExitRevert */ + /** Lookup77: evm_core::error::ExitRevert */ EvmCoreErrorExitRevert: { _enum: ["Reverted"], }, - /** Lookup77: evm_core::error::ExitFatal */ + /** Lookup78: evm_core::error::ExitFatal */ EvmCoreErrorExitFatal: { _enum: { NotSupported: "Null", @@ -850,7 +855,7 @@ export default { Other: "Text", }, }, - /** Lookup78: pallet_scheduler::pallet::Event */ + /** Lookup79: pallet_scheduler::pallet::Event */ PalletSchedulerEvent: { _enum: { Scheduled: { @@ -894,7 +899,7 @@ export default { }, }, }, - /** Lookup80: pallet_preimage::pallet::Event */ + /** Lookup81: pallet_preimage::pallet::Event */ PalletPreimageEvent: { _enum: { Noted: { @@ -917,14 +922,14 @@ export default { }, }, }, - /** Lookup81: pallet_conviction_voting::pallet::Event */ + /** Lookup82: pallet_conviction_voting::pallet::Event */ PalletConvictionVotingEvent: { _enum: { Delegated: "(AccountId20,AccountId20)", Undelegated: "AccountId20", }, }, - /** Lookup82: pallet_referenda::pallet::Event */ + /** Lookup83: pallet_referenda::pallet::Event */ PalletReferendaEvent: { _enum: { Submitted: { @@ -1003,7 +1008,7 @@ export default { }, }, /** - * Lookup83: frame_support::traits::preimages::Bounded */ FrameSupportPreimagesBounded: { @@ -1024,7 +1029,7 @@ export default { }, }, }, - /** Lookup85: frame_system::pallet::Call */ + /** Lookup86: frame_system::pallet::Call */ FrameSystemCall: { _enum: { remark: { @@ -1067,7 +1072,7 @@ export default { }, }, }, - /** Lookup89: cumulus_pallet_parachain_system::pallet::Call */ + /** Lookup90: cumulus_pallet_parachain_system::pallet::Call */ CumulusPalletParachainSystemCall: { _enum: { set_validation_data: { @@ -1085,35 +1090,35 @@ export default { }, }, }, - /** Lookup90: cumulus_primitives_parachain_inherent::ParachainInherentData */ + /** Lookup91: cumulus_primitives_parachain_inherent::ParachainInherentData */ CumulusPrimitivesParachainInherentParachainInherentData: { validationData: "PolkadotPrimitivesV7PersistedValidationData", relayChainState: "SpTrieStorageProof", downwardMessages: "Vec", horizontalMessages: "BTreeMap>", }, - /** Lookup91: polkadot_primitives::v7::PersistedValidationData */ + /** Lookup92: polkadot_primitives::v7::PersistedValidationData */ PolkadotPrimitivesV7PersistedValidationData: { parentHead: "Bytes", relayParentNumber: "u32", relayParentStorageRoot: "H256", maxPovSize: "u32", }, - /** Lookup93: sp_trie::storage_proof::StorageProof */ + /** Lookup94: sp_trie::storage_proof::StorageProof */ SpTrieStorageProof: { trieNodes: "BTreeSet", }, - /** Lookup96: polkadot_core_primitives::InboundDownwardMessage */ + /** Lookup97: polkadot_core_primitives::InboundDownwardMessage */ PolkadotCorePrimitivesInboundDownwardMessage: { sentAt: "u32", msg: "Bytes", }, - /** Lookup100: polkadot_core_primitives::InboundHrmpMessage */ + /** Lookup101: polkadot_core_primitives::InboundHrmpMessage */ PolkadotCorePrimitivesInboundHrmpMessage: { sentAt: "u32", data: "Bytes", }, - /** Lookup103: pallet_timestamp::pallet::Call */ + /** Lookup104: pallet_timestamp::pallet::Call */ PalletTimestampCall: { _enum: { set: { @@ -1121,7 +1126,7 @@ export default { }, }, }, - /** Lookup104: pallet_root_testing::pallet::Call */ + /** Lookup105: pallet_root_testing::pallet::Call */ PalletRootTestingCall: { _enum: { fill_block: { @@ -1130,7 +1135,7 @@ export default { trigger_defensive: "Null", }, }, - /** Lookup105: pallet_balances::pallet::Call */ + /** Lookup106: pallet_balances::pallet::Call */ PalletBalancesCall: { _enum: { transfer_allow_death: { @@ -1169,11 +1174,11 @@ export default { }, }, }, - /** Lookup108: pallet_balances::types::AdjustmentDirection */ + /** Lookup109: pallet_balances::types::AdjustmentDirection */ PalletBalancesAdjustmentDirection: { _enum: ["Increase", "Decrease"], }, - /** Lookup109: pallet_parachain_staking::pallet::Call */ + /** Lookup110: pallet_parachain_staking::pallet::Call */ PalletParachainStakingCall: { _enum: { set_staking_expectations: { @@ -1305,15 +1310,15 @@ export default { _alias: { new_: "new", }, - new_: "[Lookup44;2]", + new_: "PalletParachainStakingInflationDistributionConfig", }, }, }, - /** Lookup112: pallet_author_inherent::pallet::Call */ + /** Lookup113: pallet_author_inherent::pallet::Call */ PalletAuthorInherentCall: { _enum: ["kick_off_authorship_validation"], }, - /** Lookup113: pallet_author_slot_filter::pallet::Call */ + /** Lookup114: pallet_author_slot_filter::pallet::Call */ PalletAuthorSlotFilterCall: { _enum: { set_eligible: { @@ -1324,7 +1329,7 @@ export default { }, }, }, - /** Lookup114: pallet_author_mapping::pallet::Call */ + /** Lookup115: pallet_author_mapping::pallet::Call */ PalletAuthorMappingCall: { _enum: { add_association: { @@ -1346,7 +1351,7 @@ export default { }, }, }, - /** Lookup115: pallet_moonbeam_orbiters::pallet::Call */ + /** Lookup116: pallet_moonbeam_orbiters::pallet::Call */ PalletMoonbeamOrbitersCall: { _enum: { collator_add_orbiter: { @@ -1370,7 +1375,7 @@ export default { }, }, }, - /** Lookup116: pallet_utility::pallet::Call */ + /** Lookup117: pallet_utility::pallet::Call */ PalletUtilityCall: { _enum: { batch: { @@ -1396,7 +1401,7 @@ export default { }, }, }, - /** Lookup118: moonriver_runtime::OriginCaller */ + /** Lookup119: moonriver_runtime::OriginCaller */ MoonriverRuntimeOriginCaller: { _enum: { system: "FrameSupportDispatchRawOrigin", @@ -1511,7 +1516,7 @@ export default { EthereumXcm: "PalletEthereumXcmRawOrigin", }, }, - /** Lookup119: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ + /** Lookup120: frame_support::dispatch::RawOrigin[account::AccountId20](account::AccountId20) */ FrameSupportDispatchRawOrigin: { _enum: { Root: "Null", @@ -1519,13 +1524,13 @@ export default { None: "Null", }, }, - /** Lookup120: pallet_ethereum::RawOrigin */ + /** Lookup121: pallet_ethereum::RawOrigin */ PalletEthereumRawOrigin: { _enum: { EthereumTransaction: "H160", }, }, - /** Lookup121: moonriver_runtime::governance::origins::custom_origins::Origin */ + /** Lookup122: moonriver_runtime::governance::origins::custom_origins::Origin */ MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin: { _enum: [ "WhitelistedCaller", @@ -1535,7 +1540,7 @@ export default { "FastGeneralAdmin", ], }, - /** Lookup122: pallet_collective::RawOrigin */ + /** Lookup123: pallet_collective::RawOrigin */ PalletCollectiveRawOrigin: { _enum: { Members: "(u32,u32)", @@ -1543,40 +1548,40 @@ export default { _Phantom: "Null", }, }, - /** Lookup124: cumulus_pallet_xcm::pallet::Origin */ + /** Lookup125: cumulus_pallet_xcm::pallet::Origin */ CumulusPalletXcmOrigin: { _enum: { Relay: "Null", SiblingParachain: "u32", }, }, - /** Lookup125: pallet_xcm::pallet::Origin */ + /** Lookup126: pallet_xcm::pallet::Origin */ PalletXcmOrigin: { _enum: { Xcm: "StagingXcmV4Location", Response: "StagingXcmV4Location", }, }, - /** Lookup126: staging_xcm::v4::location::Location */ + /** Lookup127: staging_xcm::v4::location::Location */ StagingXcmV4Location: { parents: "u8", interior: "StagingXcmV4Junctions", }, - /** Lookup127: staging_xcm::v4::junctions::Junctions */ + /** Lookup128: staging_xcm::v4::junctions::Junctions */ StagingXcmV4Junctions: { _enum: { Here: "Null", - X1: "[Lookup129;1]", - X2: "[Lookup129;2]", - X3: "[Lookup129;3]", - X4: "[Lookup129;4]", - X5: "[Lookup129;5]", - X6: "[Lookup129;6]", - X7: "[Lookup129;7]", - X8: "[Lookup129;8]", + X1: "[Lookup130;1]", + X2: "[Lookup130;2]", + X3: "[Lookup130;3]", + X4: "[Lookup130;4]", + X5: "[Lookup130;5]", + X6: "[Lookup130;6]", + X7: "[Lookup130;7]", + X8: "[Lookup130;8]", }, }, - /** Lookup129: staging_xcm::v4::junction::Junction */ + /** Lookup130: staging_xcm::v4::junction::Junction */ StagingXcmV4Junction: { _enum: { Parachain: "Compact", @@ -1606,7 +1611,7 @@ export default { GlobalConsensus: "StagingXcmV4JunctionNetworkId", }, }, - /** Lookup132: staging_xcm::v4::junction::NetworkId */ + /** Lookup133: staging_xcm::v4::junction::NetworkId */ StagingXcmV4JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -1627,7 +1632,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup133: xcm::v3::junction::BodyId */ + /** Lookup134: xcm::v3::junction::BodyId */ XcmV3JunctionBodyId: { _enum: { Unit: "Null", @@ -1642,7 +1647,7 @@ export default { Treasury: "Null", }, }, - /** Lookup134: xcm::v3::junction::BodyPart */ + /** Lookup135: xcm::v3::junction::BodyPart */ XcmV3JunctionBodyPart: { _enum: { Voice: "Null", @@ -1663,15 +1668,15 @@ export default { }, }, }, - /** Lookup142: pallet_ethereum_xcm::RawOrigin */ + /** Lookup143: pallet_ethereum_xcm::RawOrigin */ PalletEthereumXcmRawOrigin: { _enum: { XcmEthereumTransaction: "H160", }, }, - /** Lookup143: sp_core::Void */ + /** Lookup144: sp_core::Void */ SpCoreVoid: "Null", - /** Lookup144: pallet_proxy::pallet::Call */ + /** Lookup145: pallet_proxy::pallet::Call */ PalletProxyCall: { _enum: { proxy: { @@ -1722,11 +1727,11 @@ export default { }, }, }, - /** Lookup146: pallet_maintenance_mode::pallet::Call */ + /** Lookup147: pallet_maintenance_mode::pallet::Call */ PalletMaintenanceModeCall: { _enum: ["enter_maintenance_mode", "resume_normal_operation"], }, - /** Lookup147: pallet_identity::pallet::Call */ + /** Lookup148: pallet_identity::pallet::Call */ PalletIdentityCall: { _enum: { add_registrar: { @@ -1809,7 +1814,7 @@ export default { }, }, }, - /** Lookup148: pallet_identity::legacy::IdentityInfo */ + /** Lookup149: pallet_identity::legacy::IdentityInfo */ PalletIdentityLegacyIdentityInfo: { additional: "Vec<(Data,Data)>", display: "Data", @@ -1821,7 +1826,7 @@ export default { image: "Data", twitter: "Data", }, - /** Lookup186: pallet_identity::types::Judgement */ + /** Lookup187: pallet_identity::types::Judgement */ PalletIdentityJudgement: { _enum: { Unknown: "Null", @@ -1833,9 +1838,9 @@ export default { Erroneous: "Null", }, }, - /** Lookup188: account::EthereumSignature */ + /** Lookup189: account::EthereumSignature */ AccountEthereumSignature: "[u8;65]", - /** Lookup190: pallet_multisig::pallet::Call */ + /** Lookup191: pallet_multisig::pallet::Call */ PalletMultisigCall: { _enum: { as_multi_threshold_1: { @@ -1864,7 +1869,7 @@ export default { }, }, }, - /** Lookup192: pallet_moonbeam_lazy_migrations::pallet::Call */ + /** Lookup193: pallet_moonbeam_lazy_migrations::pallet::Call */ PalletMoonbeamLazyMigrationsCall: { _enum: { __Unused0: "Null", @@ -1877,7 +1882,7 @@ export default { }, }, }, - /** Lookup195: pallet_evm::pallet::Call */ + /** Lookup196: pallet_evm::pallet::Call */ PalletEvmCall: { _enum: { withdraw: { @@ -1918,7 +1923,7 @@ export default { }, }, }, - /** Lookup201: pallet_ethereum::pallet::Call */ + /** Lookup202: pallet_ethereum::pallet::Call */ PalletEthereumCall: { _enum: { transact: { @@ -1926,7 +1931,7 @@ export default { }, }, }, - /** Lookup202: ethereum::transaction::TransactionV2 */ + /** Lookup203: ethereum::transaction::TransactionV2 */ EthereumTransactionTransactionV2: { _enum: { Legacy: "EthereumTransactionLegacyTransaction", @@ -1934,7 +1939,7 @@ export default { EIP1559: "EthereumTransactionEip1559Transaction", }, }, - /** Lookup203: ethereum::transaction::LegacyTransaction */ + /** Lookup204: ethereum::transaction::LegacyTransaction */ EthereumTransactionLegacyTransaction: { nonce: "U256", gasPrice: "U256", @@ -1944,20 +1949,20 @@ export default { input: "Bytes", signature: "EthereumTransactionTransactionSignature", }, - /** Lookup204: ethereum::transaction::TransactionAction */ + /** Lookup205: ethereum::transaction::TransactionAction */ EthereumTransactionTransactionAction: { _enum: { Call: "H160", Create: "Null", }, }, - /** Lookup205: ethereum::transaction::TransactionSignature */ + /** Lookup206: ethereum::transaction::TransactionSignature */ EthereumTransactionTransactionSignature: { v: "u64", r: "H256", s: "H256", }, - /** Lookup207: ethereum::transaction::EIP2930Transaction */ + /** Lookup208: ethereum::transaction::EIP2930Transaction */ EthereumTransactionEip2930Transaction: { chainId: "u64", nonce: "U256", @@ -1971,12 +1976,12 @@ export default { r: "H256", s: "H256", }, - /** Lookup209: ethereum::transaction::AccessListItem */ + /** Lookup210: ethereum::transaction::AccessListItem */ EthereumTransactionAccessListItem: { address: "H160", storageKeys: "Vec", }, - /** Lookup210: ethereum::transaction::EIP1559Transaction */ + /** Lookup211: ethereum::transaction::EIP1559Transaction */ EthereumTransactionEip1559Transaction: { chainId: "u64", nonce: "U256", @@ -1991,7 +1996,7 @@ export default { r: "H256", s: "H256", }, - /** Lookup211: pallet_scheduler::pallet::Call */ + /** Lookup212: pallet_scheduler::pallet::Call */ PalletSchedulerCall: { _enum: { schedule: { @@ -2045,7 +2050,7 @@ export default { }, }, }, - /** Lookup213: pallet_preimage::pallet::Call */ + /** Lookup214: pallet_preimage::pallet::Call */ PalletPreimageCall: { _enum: { note_preimage: { @@ -2074,7 +2079,7 @@ export default { }, }, }, - /** Lookup214: pallet_conviction_voting::pallet::Call */ + /** Lookup215: pallet_conviction_voting::pallet::Call */ PalletConvictionVotingCall: { _enum: { vote: { @@ -2105,7 +2110,7 @@ export default { }, }, }, - /** Lookup215: pallet_conviction_voting::vote::AccountVote */ + /** Lookup216: pallet_conviction_voting::vote::AccountVote */ PalletConvictionVotingVoteAccountVote: { _enum: { Standard: { @@ -2123,11 +2128,11 @@ export default { }, }, }, - /** Lookup217: pallet_conviction_voting::conviction::Conviction */ + /** Lookup218: pallet_conviction_voting::conviction::Conviction */ PalletConvictionVotingConviction: { _enum: ["None", "Locked1x", "Locked2x", "Locked3x", "Locked4x", "Locked5x", "Locked6x"], }, - /** Lookup219: pallet_referenda::pallet::Call */ + /** Lookup220: pallet_referenda::pallet::Call */ PalletReferendaCall: { _enum: { submit: { @@ -2162,14 +2167,14 @@ export default { }, }, }, - /** Lookup220: frame_support::traits::schedule::DispatchTime */ + /** Lookup221: frame_support::traits::schedule::DispatchTime */ FrameSupportScheduleDispatchTime: { _enum: { At: "u32", After: "u32", }, }, - /** Lookup222: pallet_whitelist::pallet::Call */ + /** Lookup223: pallet_whitelist::pallet::Call */ PalletWhitelistCall: { _enum: { whitelist_call: { @@ -2188,7 +2193,7 @@ export default { }, }, }, - /** Lookup223: pallet_collective::pallet::Call */ + /** Lookup224: pallet_collective::pallet::Call */ PalletCollectiveCall: { _enum: { set_members: { @@ -2222,7 +2227,7 @@ export default { }, }, }, - /** Lookup225: pallet_treasury::pallet::Call */ + /** Lookup226: pallet_treasury::pallet::Call */ PalletTreasuryCall: { _enum: { propose_spend: { @@ -2259,7 +2264,7 @@ export default { }, }, }, - /** Lookup227: pallet_crowdloan_rewards::pallet::Call */ + /** Lookup228: pallet_crowdloan_rewards::pallet::Call */ PalletCrowdloanRewardsCall: { _enum: { associate_native_identity: { @@ -2284,7 +2289,7 @@ export default { }, }, }, - /** Lookup228: sp_runtime::MultiSignature */ + /** Lookup229: sp_runtime::MultiSignature */ SpRuntimeMultiSignature: { _enum: { Ed25519: "[u8;64]", @@ -2292,9 +2297,9 @@ export default { Ecdsa: "[u8;65]", }, }, - /** Lookup234: cumulus_pallet_dmp_queue::pallet::Call */ + /** Lookup235: cumulus_pallet_dmp_queue::pallet::Call */ CumulusPalletDmpQueueCall: "Null", - /** Lookup235: pallet_xcm::pallet::Call */ + /** Lookup236: pallet_xcm::pallet::Call */ PalletXcmCall: { _enum: { send: { @@ -2369,7 +2374,7 @@ export default { }, }, }, - /** Lookup236: xcm::VersionedLocation */ + /** Lookup237: xcm::VersionedLocation */ XcmVersionedLocation: { _enum: { __Unused0: "Null", @@ -2379,12 +2384,12 @@ export default { V4: "StagingXcmV4Location", }, }, - /** Lookup237: xcm::v2::multilocation::MultiLocation */ + /** Lookup238: xcm::v2::multilocation::MultiLocation */ XcmV2MultiLocation: { parents: "u8", interior: "XcmV2MultilocationJunctions", }, - /** Lookup238: xcm::v2::multilocation::Junctions */ + /** Lookup239: xcm::v2::multilocation::Junctions */ XcmV2MultilocationJunctions: { _enum: { Here: "Null", @@ -2398,7 +2403,7 @@ export default { X8: "(XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction,XcmV2Junction)", }, }, - /** Lookup239: xcm::v2::junction::Junction */ + /** Lookup240: xcm::v2::junction::Junction */ XcmV2Junction: { _enum: { Parachain: "Compact", @@ -2424,7 +2429,7 @@ export default { }, }, }, - /** Lookup240: xcm::v2::NetworkId */ + /** Lookup241: xcm::v2::NetworkId */ XcmV2NetworkId: { _enum: { Any: "Null", @@ -2433,7 +2438,7 @@ export default { Kusama: "Null", }, }, - /** Lookup242: xcm::v2::BodyId */ + /** Lookup243: xcm::v2::BodyId */ XcmV2BodyId: { _enum: { Unit: "Null", @@ -2448,7 +2453,7 @@ export default { Treasury: "Null", }, }, - /** Lookup243: xcm::v2::BodyPart */ + /** Lookup244: xcm::v2::BodyPart */ XcmV2BodyPart: { _enum: { Voice: "Null", @@ -2469,12 +2474,12 @@ export default { }, }, }, - /** Lookup244: staging_xcm::v3::multilocation::MultiLocation */ + /** Lookup245: staging_xcm::v3::multilocation::MultiLocation */ StagingXcmV3MultiLocation: { parents: "u8", interior: "XcmV3Junctions", }, - /** Lookup245: xcm::v3::junctions::Junctions */ + /** Lookup246: xcm::v3::junctions::Junctions */ XcmV3Junctions: { _enum: { Here: "Null", @@ -2488,7 +2493,7 @@ export default { X8: "(XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction,XcmV3Junction)", }, }, - /** Lookup246: xcm::v3::junction::Junction */ + /** Lookup247: xcm::v3::junction::Junction */ XcmV3Junction: { _enum: { Parachain: "Compact", @@ -2518,7 +2523,7 @@ export default { GlobalConsensus: "XcmV3JunctionNetworkId", }, }, - /** Lookup248: xcm::v3::junction::NetworkId */ + /** Lookup249: xcm::v3::junction::NetworkId */ XcmV3JunctionNetworkId: { _enum: { ByGenesis: "[u8;32]", @@ -2539,7 +2544,7 @@ export default { PolkadotBulletin: "Null", }, }, - /** Lookup249: xcm::VersionedXcm */ + /** Lookup250: xcm::VersionedXcm */ XcmVersionedXcm: { _enum: { __Unused0: "Null", @@ -2549,9 +2554,9 @@ export default { V4: "StagingXcmV4Xcm", }, }, - /** Lookup250: xcm::v2::Xcm */ + /** Lookup251: xcm::v2::Xcm */ XcmV2Xcm: "Vec", - /** Lookup252: xcm::v2::Instruction */ + /** Lookup253: xcm::v2::Instruction */ XcmV2Instruction: { _enum: { WithdrawAsset: "XcmV2MultiassetMultiAssets", @@ -2647,28 +2652,28 @@ export default { UnsubscribeVersion: "Null", }, }, - /** Lookup253: xcm::v2::multiasset::MultiAssets */ + /** Lookup254: xcm::v2::multiasset::MultiAssets */ XcmV2MultiassetMultiAssets: "Vec", - /** Lookup255: xcm::v2::multiasset::MultiAsset */ + /** Lookup256: xcm::v2::multiasset::MultiAsset */ XcmV2MultiAsset: { id: "XcmV2MultiassetAssetId", fun: "XcmV2MultiassetFungibility", }, - /** Lookup256: xcm::v2::multiasset::AssetId */ + /** Lookup257: xcm::v2::multiasset::AssetId */ XcmV2MultiassetAssetId: { _enum: { Concrete: "XcmV2MultiLocation", Abstract: "Bytes", }, }, - /** Lookup257: xcm::v2::multiasset::Fungibility */ + /** Lookup258: xcm::v2::multiasset::Fungibility */ XcmV2MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV2MultiassetAssetInstance", }, }, - /** Lookup258: xcm::v2::multiasset::AssetInstance */ + /** Lookup259: xcm::v2::multiasset::AssetInstance */ XcmV2MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2680,7 +2685,7 @@ export default { Blob: "Bytes", }, }, - /** Lookup259: xcm::v2::Response */ + /** Lookup260: xcm::v2::Response */ XcmV2Response: { _enum: { Null: "Null", @@ -2689,7 +2694,7 @@ export default { Version: "u32", }, }, - /** Lookup262: xcm::v2::traits::Error */ + /** Lookup263: xcm::v2::traits::Error */ XcmV2TraitsError: { _enum: { Overflow: "Null", @@ -2720,22 +2725,22 @@ export default { WeightNotComputable: "Null", }, }, - /** Lookup263: xcm::v2::OriginKind */ + /** Lookup264: xcm::v2::OriginKind */ XcmV2OriginKind: { _enum: ["Native", "SovereignAccount", "Superuser", "Xcm"], }, - /** Lookup264: xcm::double_encoded::DoubleEncoded */ + /** Lookup265: xcm::double_encoded::DoubleEncoded */ XcmDoubleEncoded: { encoded: "Bytes", }, - /** Lookup265: xcm::v2::multiasset::MultiAssetFilter */ + /** Lookup266: xcm::v2::multiasset::MultiAssetFilter */ XcmV2MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV2MultiassetMultiAssets", Wild: "XcmV2MultiassetWildMultiAsset", }, }, - /** Lookup266: xcm::v2::multiasset::WildMultiAsset */ + /** Lookup267: xcm::v2::multiasset::WildMultiAsset */ XcmV2MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -2745,20 +2750,20 @@ export default { }, }, }, - /** Lookup267: xcm::v2::multiasset::WildFungibility */ + /** Lookup268: xcm::v2::multiasset::WildFungibility */ XcmV2MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup268: xcm::v2::WeightLimit */ + /** Lookup269: xcm::v2::WeightLimit */ XcmV2WeightLimit: { _enum: { Unlimited: "Null", Limited: "Compact", }, }, - /** Lookup269: xcm::v3::Xcm */ + /** Lookup270: xcm::v3::Xcm */ XcmV3Xcm: "Vec", - /** Lookup271: xcm::v3::Instruction */ + /** Lookup272: xcm::v3::Instruction */ XcmV3Instruction: { _enum: { WithdrawAsset: "XcmV3MultiassetMultiAssets", @@ -2898,28 +2903,28 @@ export default { }, }, }, - /** Lookup272: xcm::v3::multiasset::MultiAssets */ + /** Lookup273: xcm::v3::multiasset::MultiAssets */ XcmV3MultiassetMultiAssets: "Vec", - /** Lookup274: xcm::v3::multiasset::MultiAsset */ + /** Lookup275: xcm::v3::multiasset::MultiAsset */ XcmV3MultiAsset: { id: "XcmV3MultiassetAssetId", fun: "XcmV3MultiassetFungibility", }, - /** Lookup275: xcm::v3::multiasset::AssetId */ + /** Lookup276: xcm::v3::multiasset::AssetId */ XcmV3MultiassetAssetId: { _enum: { Concrete: "StagingXcmV3MultiLocation", Abstract: "[u8;32]", }, }, - /** Lookup276: xcm::v3::multiasset::Fungibility */ + /** Lookup277: xcm::v3::multiasset::Fungibility */ XcmV3MultiassetFungibility: { _enum: { Fungible: "Compact", NonFungible: "XcmV3MultiassetAssetInstance", }, }, - /** Lookup277: xcm::v3::multiasset::AssetInstance */ + /** Lookup278: xcm::v3::multiasset::AssetInstance */ XcmV3MultiassetAssetInstance: { _enum: { Undefined: "Null", @@ -2930,7 +2935,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup278: xcm::v3::Response */ + /** Lookup279: xcm::v3::Response */ XcmV3Response: { _enum: { Null: "Null", @@ -2941,7 +2946,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup281: xcm::v3::traits::Error */ + /** Lookup282: xcm::v3::traits::Error */ XcmV3TraitsError: { _enum: { Overflow: "Null", @@ -2986,7 +2991,7 @@ export default { ExceedsStackLimit: "Null", }, }, - /** Lookup283: xcm::v3::PalletInfo */ + /** Lookup284: xcm::v3::PalletInfo */ XcmV3PalletInfo: { index: "Compact", name: "Bytes", @@ -2995,7 +3000,7 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup286: xcm::v3::MaybeErrorCode */ + /** Lookup287: xcm::v3::MaybeErrorCode */ XcmV3MaybeErrorCode: { _enum: { Success: "Null", @@ -3003,20 +3008,20 @@ export default { TruncatedError: "Bytes", }, }, - /** Lookup289: xcm::v3::QueryResponseInfo */ + /** Lookup290: xcm::v3::QueryResponseInfo */ XcmV3QueryResponseInfo: { destination: "StagingXcmV3MultiLocation", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup290: xcm::v3::multiasset::MultiAssetFilter */ + /** Lookup291: xcm::v3::multiasset::MultiAssetFilter */ XcmV3MultiassetMultiAssetFilter: { _enum: { Definite: "XcmV3MultiassetMultiAssets", Wild: "XcmV3MultiassetWildMultiAsset", }, }, - /** Lookup291: xcm::v3::multiasset::WildMultiAsset */ + /** Lookup292: xcm::v3::multiasset::WildMultiAsset */ XcmV3MultiassetWildMultiAsset: { _enum: { All: "Null", @@ -3032,20 +3037,20 @@ export default { }, }, }, - /** Lookup292: xcm::v3::multiasset::WildFungibility */ + /** Lookup293: xcm::v3::multiasset::WildFungibility */ XcmV3MultiassetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup293: xcm::v3::WeightLimit */ + /** Lookup294: xcm::v3::WeightLimit */ XcmV3WeightLimit: { _enum: { Unlimited: "Null", Limited: "SpWeightsWeightV2Weight", }, }, - /** Lookup294: staging_xcm::v4::Xcm */ + /** Lookup295: staging_xcm::v4::Xcm */ StagingXcmV4Xcm: "Vec", - /** Lookup296: staging_xcm::v4::Instruction */ + /** Lookup297: staging_xcm::v4::Instruction */ StagingXcmV4Instruction: { _enum: { WithdrawAsset: "StagingXcmV4AssetAssets", @@ -3185,23 +3190,23 @@ export default { }, }, }, - /** Lookup297: staging_xcm::v4::asset::Assets */ + /** Lookup298: staging_xcm::v4::asset::Assets */ StagingXcmV4AssetAssets: "Vec", - /** Lookup299: staging_xcm::v4::asset::Asset */ + /** Lookup300: staging_xcm::v4::asset::Asset */ StagingXcmV4Asset: { id: "StagingXcmV4AssetAssetId", fun: "StagingXcmV4AssetFungibility", }, - /** Lookup300: staging_xcm::v4::asset::AssetId */ + /** Lookup301: staging_xcm::v4::asset::AssetId */ StagingXcmV4AssetAssetId: "StagingXcmV4Location", - /** Lookup301: staging_xcm::v4::asset::Fungibility */ + /** Lookup302: staging_xcm::v4::asset::Fungibility */ StagingXcmV4AssetFungibility: { _enum: { Fungible: "Compact", NonFungible: "StagingXcmV4AssetAssetInstance", }, }, - /** Lookup302: staging_xcm::v4::asset::AssetInstance */ + /** Lookup303: staging_xcm::v4::asset::AssetInstance */ StagingXcmV4AssetAssetInstance: { _enum: { Undefined: "Null", @@ -3212,7 +3217,7 @@ export default { Array32: "[u8;32]", }, }, - /** Lookup303: staging_xcm::v4::Response */ + /** Lookup304: staging_xcm::v4::Response */ StagingXcmV4Response: { _enum: { Null: "Null", @@ -3223,7 +3228,7 @@ export default { DispatchResult: "XcmV3MaybeErrorCode", }, }, - /** Lookup305: staging_xcm::v4::PalletInfo */ + /** Lookup306: staging_xcm::v4::PalletInfo */ StagingXcmV4PalletInfo: { index: "Compact", name: "Bytes", @@ -3232,20 +3237,20 @@ export default { minor: "Compact", patch: "Compact", }, - /** Lookup309: staging_xcm::v4::QueryResponseInfo */ + /** Lookup310: staging_xcm::v4::QueryResponseInfo */ StagingXcmV4QueryResponseInfo: { destination: "StagingXcmV4Location", queryId: "Compact", maxWeight: "SpWeightsWeightV2Weight", }, - /** Lookup310: staging_xcm::v4::asset::AssetFilter */ + /** Lookup311: staging_xcm::v4::asset::AssetFilter */ StagingXcmV4AssetAssetFilter: { _enum: { Definite: "StagingXcmV4AssetAssets", Wild: "StagingXcmV4AssetWildAsset", }, }, - /** Lookup311: staging_xcm::v4::asset::WildAsset */ + /** Lookup312: staging_xcm::v4::asset::WildAsset */ StagingXcmV4AssetWildAsset: { _enum: { All: "Null", @@ -3261,11 +3266,11 @@ export default { }, }, }, - /** Lookup312: staging_xcm::v4::asset::WildFungibility */ + /** Lookup313: staging_xcm::v4::asset::WildFungibility */ StagingXcmV4AssetWildFungibility: { _enum: ["Fungible", "NonFungible"], }, - /** Lookup313: xcm::VersionedAssets */ + /** Lookup314: xcm::VersionedAssets */ XcmVersionedAssets: { _enum: { __Unused0: "Null", @@ -3275,7 +3280,7 @@ export default { V4: "StagingXcmV4AssetAssets", }, }, - /** Lookup325: staging_xcm_executor::traits::asset_transfer::TransferType */ + /** Lookup326: staging_xcm_executor::traits::asset_transfer::TransferType */ StagingXcmExecutorAssetTransferTransferType: { _enum: { Teleport: "Null", @@ -3284,7 +3289,7 @@ export default { RemoteReserve: "XcmVersionedLocation", }, }, - /** Lookup326: xcm::VersionedAssetId */ + /** Lookup327: xcm::VersionedAssetId */ XcmVersionedAssetId: { _enum: { __Unused0: "Null", @@ -3294,7 +3299,7 @@ export default { V4: "StagingXcmV4AssetAssetId", }, }, - /** Lookup327: pallet_assets::pallet::Call */ + /** Lookup328: pallet_assets::pallet::Call */ PalletAssetsCall: { _enum: { create: { @@ -3444,7 +3449,7 @@ export default { }, }, }, - /** Lookup328: pallet_asset_manager::pallet::Call */ + /** Lookup329: pallet_asset_manager::pallet::Call */ PalletAssetManagerCall: { _enum: { register_foreign_asset: { @@ -3471,20 +3476,20 @@ export default { }, }, }, - /** Lookup329: moonriver_runtime::xcm_config::AssetType */ + /** Lookup330: moonriver_runtime::xcm_config::AssetType */ MoonriverRuntimeXcmConfigAssetType: { _enum: { Xcm: "StagingXcmV3MultiLocation", }, }, - /** Lookup330: moonriver_runtime::asset_config::AssetRegistrarMetadata */ + /** Lookup331: moonriver_runtime::asset_config::AssetRegistrarMetadata */ MoonriverRuntimeAssetConfigAssetRegistrarMetadata: { name: "Bytes", symbol: "Bytes", decimals: "u8", isFrozen: "bool", }, - /** Lookup331: orml_xtokens::module::Call */ + /** Lookup332: orml_xtokens::module::Call */ OrmlXtokensModuleCall: { _enum: { transfer: { @@ -3525,7 +3530,7 @@ export default { }, }, }, - /** Lookup332: moonriver_runtime::xcm_config::CurrencyId */ + /** Lookup333: moonriver_runtime::xcm_config::CurrencyId */ MoonriverRuntimeXcmConfigCurrencyId: { _enum: { SelfReserve: "Null", @@ -3535,7 +3540,7 @@ export default { }, }, }, - /** Lookup333: xcm::VersionedAsset */ + /** Lookup334: xcm::VersionedAsset */ XcmVersionedAsset: { _enum: { __Unused0: "Null", @@ -3545,7 +3550,7 @@ export default { V4: "StagingXcmV4Asset", }, }, - /** Lookup336: pallet_xcm_transactor::pallet::Call */ + /** Lookup337: pallet_xcm_transactor::pallet::Call */ PalletXcmTransactorCall: { _enum: { register: { @@ -3602,28 +3607,28 @@ export default { }, }, }, - /** Lookup337: moonriver_runtime::xcm_config::Transactors */ + /** Lookup338: moonriver_runtime::xcm_config::Transactors */ MoonriverRuntimeXcmConfigTransactors: { _enum: ["Relay"], }, - /** Lookup338: pallet_xcm_transactor::pallet::CurrencyPayment */ + /** Lookup339: pallet_xcm_transactor::pallet::CurrencyPayment */ PalletXcmTransactorCurrencyPayment: { currency: "PalletXcmTransactorCurrency", feeAmount: "Option", }, - /** Lookup339: pallet_xcm_transactor::pallet::Currency */ + /** Lookup340: pallet_xcm_transactor::pallet::Currency */ PalletXcmTransactorCurrency: { _enum: { AsCurrencyId: "MoonriverRuntimeXcmConfigCurrencyId", AsMultiLocation: "XcmVersionedLocation", }, }, - /** Lookup341: pallet_xcm_transactor::pallet::TransactWeights */ + /** Lookup342: pallet_xcm_transactor::pallet::TransactWeights */ PalletXcmTransactorTransactWeights: { transactRequiredWeightAtMost: "SpWeightsWeightV2Weight", overallWeight: "Option", }, - /** Lookup344: pallet_xcm_transactor::pallet::HrmpOperation */ + /** Lookup345: pallet_xcm_transactor::pallet::HrmpOperation */ PalletXcmTransactorHrmpOperation: { _enum: { InitOpen: "PalletXcmTransactorHrmpInitParams", @@ -3637,18 +3642,18 @@ export default { }, }, }, - /** Lookup345: pallet_xcm_transactor::pallet::HrmpInitParams */ + /** Lookup346: pallet_xcm_transactor::pallet::HrmpInitParams */ PalletXcmTransactorHrmpInitParams: { paraId: "u32", proposedMaxCapacity: "u32", proposedMaxMessageSize: "u32", }, - /** Lookup346: polkadot_parachain_primitives::primitives::HrmpChannelId */ + /** Lookup347: polkadot_parachain_primitives::primitives::HrmpChannelId */ PolkadotParachainPrimitivesPrimitivesHrmpChannelId: { sender: "u32", recipient: "u32", }, - /** Lookup347: pallet_ethereum_xcm::pallet::Call */ + /** Lookup348: pallet_ethereum_xcm::pallet::Call */ PalletEthereumXcmCall: { _enum: { transact: { @@ -3667,14 +3672,14 @@ export default { }, }, }, - /** Lookup348: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ + /** Lookup349: xcm_primitives::ethereum_xcm::EthereumXcmTransaction */ XcmPrimitivesEthereumXcmEthereumXcmTransaction: { _enum: { V1: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV1", V2: "XcmPrimitivesEthereumXcmEthereumXcmTransactionV2", }, }, - /** Lookup349: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ + /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV1 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV1: { gasLimit: "U256", feePayment: "XcmPrimitivesEthereumXcmEthereumXcmFee", @@ -3683,19 +3688,19 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup350: xcm_primitives::ethereum_xcm::EthereumXcmFee */ + /** Lookup351: xcm_primitives::ethereum_xcm::EthereumXcmFee */ XcmPrimitivesEthereumXcmEthereumXcmFee: { _enum: { Manual: "XcmPrimitivesEthereumXcmManualEthereumXcmFee", Auto: "Null", }, }, - /** Lookup351: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ + /** Lookup352: xcm_primitives::ethereum_xcm::ManualEthereumXcmFee */ XcmPrimitivesEthereumXcmManualEthereumXcmFee: { gasPrice: "Option", maxFeePerGas: "Option", }, - /** Lookup354: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ + /** Lookup355: xcm_primitives::ethereum_xcm::EthereumXcmTransactionV2 */ XcmPrimitivesEthereumXcmEthereumXcmTransactionV2: { gasLimit: "U256", action: "EthereumTransactionTransactionAction", @@ -3703,7 +3708,7 @@ export default { input: "Bytes", accessList: "Option)>>", }, - /** Lookup356: pallet_message_queue::pallet::Call */ + /** Lookup357: pallet_message_queue::pallet::Call */ PalletMessageQueueCall: { _enum: { reap_page: { @@ -3718,7 +3723,7 @@ export default { }, }, }, - /** Lookup357: cumulus_primitives_core::AggregateMessageOrigin */ + /** Lookup358: cumulus_primitives_core::AggregateMessageOrigin */ CumulusPrimitivesCoreAggregateMessageOrigin: { _enum: { Here: "Null", @@ -3726,7 +3731,7 @@ export default { Sibling: "u32", }, }, - /** Lookup358: pallet_moonbeam_foreign_assets::pallet::Call */ + /** Lookup359: pallet_moonbeam_foreign_assets::pallet::Call */ PalletMoonbeamForeignAssetsCall: { _enum: { create_foreign_asset: { @@ -3749,7 +3754,7 @@ export default { }, }, }, - /** Lookup360: pallet_xcm_weight_trader::pallet::Call */ + /** Lookup361: pallet_xcm_weight_trader::pallet::Call */ PalletXcmWeightTraderCall: { _enum: { add_asset: { @@ -3771,7 +3776,7 @@ export default { }, }, }, - /** Lookup361: pallet_emergency_para_xcm::pallet::Call */ + /** Lookup362: pallet_emergency_para_xcm::pallet::Call */ PalletEmergencyParaXcmCall: { _enum: { paused_to_normal: "Null", @@ -3780,19 +3785,19 @@ export default { }, }, }, - /** Lookup362: pallet_randomness::pallet::Call */ + /** Lookup363: pallet_randomness::pallet::Call */ PalletRandomnessCall: { _enum: ["set_babe_randomness_results"], }, - /** Lookup363: sp_runtime::traits::BlakeTwo256 */ + /** Lookup364: sp_runtime::traits::BlakeTwo256 */ SpRuntimeBlakeTwo256: "Null", - /** Lookup365: pallet_conviction_voting::types::Tally */ + /** Lookup366: pallet_conviction_voting::types::Tally */ PalletConvictionVotingTally: { ayes: "u128", nays: "u128", support: "u128", }, - /** Lookup366: pallet_whitelist::pallet::Event */ + /** Lookup367: pallet_whitelist::pallet::Event */ PalletWhitelistEvent: { _enum: { CallWhitelisted: { @@ -3807,17 +3812,17 @@ export default { }, }, }, - /** Lookup368: frame_support::dispatch::PostDispatchInfo */ + /** Lookup369: frame_support::dispatch::PostDispatchInfo */ FrameSupportDispatchPostDispatchInfo: { actualWeight: "Option", paysFee: "FrameSupportDispatchPays", }, - /** Lookup369: sp_runtime::DispatchErrorWithPostInfo */ + /** Lookup370: sp_runtime::DispatchErrorWithPostInfo */ SpRuntimeDispatchErrorWithPostInfo: { postInfo: "FrameSupportDispatchPostDispatchInfo", error: "SpRuntimeDispatchError", }, - /** Lookup370: pallet_collective::pallet::Event */ + /** Lookup371: pallet_collective::pallet::Event */ PalletCollectiveEvent: { _enum: { Proposed: { @@ -3854,7 +3859,7 @@ export default { }, }, }, - /** Lookup372: pallet_treasury::pallet::Event */ + /** Lookup373: pallet_treasury::pallet::Event */ PalletTreasuryEvent: { _enum: { Proposed: { @@ -3914,7 +3919,7 @@ export default { }, }, }, - /** Lookup373: pallet_crowdloan_rewards::pallet::Event */ + /** Lookup374: pallet_crowdloan_rewards::pallet::Event */ PalletCrowdloanRewardsEvent: { _enum: { InitialPaymentMade: "(AccountId20,u128)", @@ -3925,7 +3930,7 @@ export default { InitializedAccountWithNotEnoughContribution: "([u8;32],Option,u128)", }, }, - /** Lookup374: cumulus_pallet_xcmp_queue::pallet::Event */ + /** Lookup375: cumulus_pallet_xcmp_queue::pallet::Event */ CumulusPalletXcmpQueueEvent: { _enum: { XcmpMessageSent: { @@ -3933,7 +3938,7 @@ export default { }, }, }, - /** Lookup375: cumulus_pallet_xcm::pallet::Event */ + /** Lookup376: cumulus_pallet_xcm::pallet::Event */ CumulusPalletXcmEvent: { _enum: { InvalidFormat: "[u8;32]", @@ -3941,7 +3946,7 @@ export default { ExecutedDownward: "([u8;32],StagingXcmV4TraitsOutcome)", }, }, - /** Lookup376: staging_xcm::v4::traits::Outcome */ + /** Lookup377: staging_xcm::v4::traits::Outcome */ StagingXcmV4TraitsOutcome: { _enum: { Complete: { @@ -3956,7 +3961,7 @@ export default { }, }, }, - /** Lookup377: cumulus_pallet_dmp_queue::pallet::Event */ + /** Lookup378: cumulus_pallet_dmp_queue::pallet::Event */ CumulusPalletDmpQueueEvent: { _enum: { StartedExport: "Null", @@ -3984,7 +3989,7 @@ export default { }, }, }, - /** Lookup378: pallet_xcm::pallet::Event */ + /** Lookup379: pallet_xcm::pallet::Event */ PalletXcmEvent: { _enum: { Attempted: { @@ -4107,7 +4112,7 @@ export default { }, }, }, - /** Lookup379: pallet_assets::pallet::Event */ + /** Lookup380: pallet_assets::pallet::Event */ PalletAssetsEvent: { _enum: { Created: { @@ -4221,7 +4226,7 @@ export default { }, }, }, - /** Lookup380: pallet_asset_manager::pallet::Event */ + /** Lookup381: pallet_asset_manager::pallet::Event */ PalletAssetManagerEvent: { _enum: { ForeignAssetRegistered: { @@ -4250,7 +4255,7 @@ export default { }, }, }, - /** Lookup381: orml_xtokens::module::Event */ + /** Lookup382: orml_xtokens::module::Event */ OrmlXtokensModuleEvent: { _enum: { TransferredAssets: { @@ -4261,7 +4266,7 @@ export default { }, }, }, - /** Lookup382: pallet_xcm_transactor::pallet::Event */ + /** Lookup383: pallet_xcm_transactor::pallet::Event */ PalletXcmTransactorEvent: { _enum: { TransactedDerivative: { @@ -4309,13 +4314,13 @@ export default { }, }, }, - /** Lookup383: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ + /** Lookup384: pallet_xcm_transactor::pallet::RemoteTransactInfoWithMaxWeight */ PalletXcmTransactorRemoteTransactInfoWithMaxWeight: { transactExtraWeight: "SpWeightsWeightV2Weight", maxWeight: "SpWeightsWeightV2Weight", transactExtraWeightSigned: "Option", }, - /** Lookup384: pallet_ethereum_xcm::pallet::Event */ + /** Lookup385: pallet_ethereum_xcm::pallet::Event */ PalletEthereumXcmEvent: { _enum: { ExecutedFromXcm: { @@ -4324,7 +4329,7 @@ export default { }, }, }, - /** Lookup385: pallet_message_queue::pallet::Event */ + /** Lookup386: pallet_message_queue::pallet::Event */ PalletMessageQueueEvent: { _enum: { ProcessingFailed: { @@ -4350,7 +4355,7 @@ export default { }, }, }, - /** Lookup386: frame_support::traits::messages::ProcessMessageError */ + /** Lookup387: frame_support::traits::messages::ProcessMessageError */ FrameSupportMessagesProcessMessageError: { _enum: { BadFormat: "Null", @@ -4360,7 +4365,7 @@ export default { Yield: "Null", }, }, - /** Lookup387: pallet_moonbeam_foreign_assets::pallet::Event */ + /** Lookup388: pallet_moonbeam_foreign_assets::pallet::Event */ PalletMoonbeamForeignAssetsEvent: { _enum: { ForeignAssetCreated: { @@ -4382,7 +4387,7 @@ export default { }, }, }, - /** Lookup388: pallet_xcm_weight_trader::pallet::Event */ + /** Lookup389: pallet_xcm_weight_trader::pallet::Event */ PalletXcmWeightTraderEvent: { _enum: { SupportedAssetAdded: { @@ -4404,11 +4409,11 @@ export default { }, }, }, - /** Lookup389: pallet_emergency_para_xcm::pallet::Event */ + /** Lookup390: pallet_emergency_para_xcm::pallet::Event */ PalletEmergencyParaXcmEvent: { _enum: ["EnteredPausedXcmMode", "NormalXcmOperationResumed"], }, - /** Lookup390: pallet_randomness::pallet::Event */ + /** Lookup391: pallet_randomness::pallet::Event */ PalletRandomnessEvent: { _enum: { RandomnessRequestedBabeEpoch: { @@ -4443,7 +4448,7 @@ export default { }, }, }, - /** Lookup391: frame_system::Phase */ + /** Lookup392: frame_system::Phase */ FrameSystemPhase: { _enum: { ApplyExtrinsic: "u32", @@ -4451,51 +4456,51 @@ export default { Initialization: "Null", }, }, - /** Lookup393: frame_system::LastRuntimeUpgradeInfo */ + /** Lookup394: frame_system::LastRuntimeUpgradeInfo */ FrameSystemLastRuntimeUpgradeInfo: { specVersion: "Compact", specName: "Text", }, - /** Lookup394: frame_system::CodeUpgradeAuthorization */ + /** Lookup395: frame_system::CodeUpgradeAuthorization */ FrameSystemCodeUpgradeAuthorization: { codeHash: "H256", checkVersion: "bool", }, - /** Lookup395: frame_system::limits::BlockWeights */ + /** Lookup396: frame_system::limits::BlockWeights */ FrameSystemLimitsBlockWeights: { baseBlock: "SpWeightsWeightV2Weight", maxBlock: "SpWeightsWeightV2Weight", perClass: "FrameSupportDispatchPerDispatchClassWeightsPerClass", }, - /** Lookup396: frame_support::dispatch::PerDispatchClass */ + /** Lookup397: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassWeightsPerClass: { normal: "FrameSystemLimitsWeightsPerClass", operational: "FrameSystemLimitsWeightsPerClass", mandatory: "FrameSystemLimitsWeightsPerClass", }, - /** Lookup397: frame_system::limits::WeightsPerClass */ + /** Lookup398: frame_system::limits::WeightsPerClass */ FrameSystemLimitsWeightsPerClass: { baseExtrinsic: "SpWeightsWeightV2Weight", maxExtrinsic: "Option", maxTotal: "Option", reserved: "Option", }, - /** Lookup398: frame_system::limits::BlockLength */ + /** Lookup399: frame_system::limits::BlockLength */ FrameSystemLimitsBlockLength: { max: "FrameSupportDispatchPerDispatchClassU32", }, - /** Lookup399: frame_support::dispatch::PerDispatchClass */ + /** Lookup400: frame_support::dispatch::PerDispatchClass */ FrameSupportDispatchPerDispatchClassU32: { normal: "u32", operational: "u32", mandatory: "u32", }, - /** Lookup400: sp_weights::RuntimeDbWeight */ + /** Lookup401: sp_weights::RuntimeDbWeight */ SpWeightsRuntimeDbWeight: { read: "u64", write: "u64", }, - /** Lookup401: sp_version::RuntimeVersion */ + /** Lookup402: sp_version::RuntimeVersion */ SpVersionRuntimeVersion: { specName: "Text", implName: "Text", @@ -4506,7 +4511,7 @@ export default { transactionVersion: "u32", stateVersion: "u8", }, - /** Lookup405: frame_system::pallet::Error */ + /** Lookup406: frame_system::pallet::Error */ FrameSystemError: { _enum: [ "InvalidSpecName", @@ -4520,38 +4525,38 @@ export default { "Unauthorized", ], }, - /** Lookup407: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ + /** Lookup408: cumulus_pallet_parachain_system::unincluded_segment::Ancestor */ CumulusPalletParachainSystemUnincludedSegmentAncestor: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", paraHeadHash: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup408: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ + /** Lookup409: cumulus_pallet_parachain_system::unincluded_segment::UsedBandwidth */ CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth: { umpMsgCount: "u32", umpTotalBytes: "u32", hrmpOutgoing: "BTreeMap", }, - /** Lookup410: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ + /** Lookup411: cumulus_pallet_parachain_system::unincluded_segment::HrmpChannelUpdate */ CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate: { msgCount: "u32", totalBytes: "u32", }, - /** Lookup414: polkadot_primitives::v7::UpgradeGoAhead */ + /** Lookup415: polkadot_primitives::v7::UpgradeGoAhead */ PolkadotPrimitivesV7UpgradeGoAhead: { _enum: ["Abort", "GoAhead"], }, - /** Lookup415: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ + /** Lookup416: cumulus_pallet_parachain_system::unincluded_segment::SegmentTracker */ CumulusPalletParachainSystemUnincludedSegmentSegmentTracker: { usedBandwidth: "CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth", hrmpWatermark: "Option", consumedGoAheadSignal: "Option", }, - /** Lookup417: polkadot_primitives::v7::UpgradeRestriction */ + /** Lookup418: polkadot_primitives::v7::UpgradeRestriction */ PolkadotPrimitivesV7UpgradeRestriction: { _enum: ["Present"], }, - /** Lookup418: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ + /** Lookup419: cumulus_pallet_parachain_system::relay_state_snapshot::MessagingStateSnapshot */ CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot: { dmqMqcHead: "H256", relayDispatchQueueRemainingCapacity: @@ -4559,12 +4564,12 @@ export default { ingressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", egressChannels: "Vec<(u32,PolkadotPrimitivesV7AbridgedHrmpChannel)>", }, - /** Lookup419: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ + /** Lookup420: cumulus_pallet_parachain_system::relay_state_snapshot::RelayDispatchQueueRemainingCapacity */ CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity: { remainingCount: "u32", remainingSize: "u32", }, - /** Lookup422: polkadot_primitives::v7::AbridgedHrmpChannel */ + /** Lookup423: polkadot_primitives::v7::AbridgedHrmpChannel */ PolkadotPrimitivesV7AbridgedHrmpChannel: { maxCapacity: "u32", maxTotalSize: "u32", @@ -4573,7 +4578,7 @@ export default { totalSize: "u32", mqcHead: "Option", }, - /** Lookup423: polkadot_primitives::v7::AbridgedHostConfiguration */ + /** Lookup424: polkadot_primitives::v7::AbridgedHostConfiguration */ PolkadotPrimitivesV7AbridgedHostConfiguration: { maxCodeSize: "u32", maxHeadDataSize: "u32", @@ -4586,17 +4591,17 @@ export default { validationUpgradeDelay: "u32", asyncBackingParams: "PolkadotPrimitivesV7AsyncBackingAsyncBackingParams", }, - /** Lookup424: polkadot_primitives::v7::async_backing::AsyncBackingParams */ + /** Lookup425: polkadot_primitives::v7::async_backing::AsyncBackingParams */ PolkadotPrimitivesV7AsyncBackingAsyncBackingParams: { maxCandidateDepth: "u32", allowedAncestryLen: "u32", }, - /** Lookup430: polkadot_core_primitives::OutboundHrmpMessage */ + /** Lookup431: polkadot_core_primitives::OutboundHrmpMessage */ PolkadotCorePrimitivesOutboundHrmpMessage: { recipient: "u32", data: "Bytes", }, - /** Lookup432: cumulus_pallet_parachain_system::pallet::Error */ + /** Lookup433: cumulus_pallet_parachain_system::pallet::Error */ CumulusPalletParachainSystemError: { _enum: [ "OverlappingUpgrades", @@ -4609,22 +4614,22 @@ export default { "Unauthorized", ], }, - /** Lookup434: pallet_balances::types::BalanceLock */ + /** Lookup435: pallet_balances::types::BalanceLock */ PalletBalancesBalanceLock: { id: "[u8;8]", amount: "u128", reasons: "PalletBalancesReasons", }, - /** Lookup435: pallet_balances::types::Reasons */ + /** Lookup436: pallet_balances::types::Reasons */ PalletBalancesReasons: { _enum: ["Fee", "Misc", "All"], }, - /** Lookup438: pallet_balances::types::ReserveData */ + /** Lookup439: pallet_balances::types::ReserveData */ PalletBalancesReserveData: { id: "[u8;4]", amount: "u128", }, - /** Lookup442: moonriver_runtime::RuntimeHoldReason */ + /** Lookup443: moonriver_runtime::RuntimeHoldReason */ MoonriverRuntimeRuntimeHoldReason: { _enum: { __Unused0: "Null", @@ -4692,16 +4697,16 @@ export default { Preimage: "PalletPreimageHoldReason", }, }, - /** Lookup443: pallet_preimage::pallet::HoldReason */ + /** Lookup444: pallet_preimage::pallet::HoldReason */ PalletPreimageHoldReason: { _enum: ["Preimage"], }, - /** Lookup446: pallet_balances::types::IdAmount */ + /** Lookup447: pallet_balances::types::IdAmount */ PalletBalancesIdAmount: { id: "Null", amount: "u128", }, - /** Lookup448: pallet_balances::pallet::Error */ + /** Lookup449: pallet_balances::pallet::Error */ PalletBalancesError: { _enum: [ "VestingBalance", @@ -4718,18 +4723,18 @@ export default { "DeltaZero", ], }, - /** Lookup449: pallet_transaction_payment::Releases */ + /** Lookup450: pallet_transaction_payment::Releases */ PalletTransactionPaymentReleases: { _enum: ["V1Ancient", "V2"], }, - /** Lookup450: pallet_parachain_staking::types::RoundInfo */ + /** Lookup451: pallet_parachain_staking::types::RoundInfo */ PalletParachainStakingRoundInfo: { current: "u32", first: "u32", length: "u32", firstSlot: "u64", }, - /** Lookup451: pallet_parachain_staking::types::Delegator */ + /** Lookup452: pallet_parachain_staking::types::Delegator */ PalletParachainStakingDelegator: { id: "AccountId20", delegations: "PalletParachainStakingSetOrderedSet", @@ -4738,24 +4743,24 @@ export default { status: "PalletParachainStakingDelegatorStatus", }, /** - * Lookup452: + * Lookup453: * pallet_parachain_staking::set::OrderedSet> */ PalletParachainStakingSetOrderedSet: "Vec", - /** Lookup453: pallet_parachain_staking::types::Bond */ + /** Lookup454: pallet_parachain_staking::types::Bond */ PalletParachainStakingBond: { owner: "AccountId20", amount: "u128", }, - /** Lookup455: pallet_parachain_staking::types::DelegatorStatus */ + /** Lookup456: pallet_parachain_staking::types::DelegatorStatus */ PalletParachainStakingDelegatorStatus: { _enum: { Active: "Null", Leaving: "u32", }, }, - /** Lookup456: pallet_parachain_staking::types::CandidateMetadata */ + /** Lookup457: pallet_parachain_staking::types::CandidateMetadata */ PalletParachainStakingCandidateMetadata: { bond: "u128", delegationCount: "u32", @@ -4768,16 +4773,16 @@ export default { request: "Option", status: "PalletParachainStakingCollatorStatus", }, - /** Lookup457: pallet_parachain_staking::types::CapacityStatus */ + /** Lookup458: pallet_parachain_staking::types::CapacityStatus */ PalletParachainStakingCapacityStatus: { _enum: ["Full", "Empty", "Partial"], }, - /** Lookup459: pallet_parachain_staking::types::CandidateBondLessRequest */ + /** Lookup460: pallet_parachain_staking::types::CandidateBondLessRequest */ PalletParachainStakingCandidateBondLessRequest: { amount: "u128", whenExecutable: "u32", }, - /** Lookup460: pallet_parachain_staking::types::CollatorStatus */ + /** Lookup461: pallet_parachain_staking::types::CollatorStatus */ PalletParachainStakingCollatorStatus: { _enum: { Active: "Null", @@ -4785,50 +4790,50 @@ export default { Leaving: "u32", }, }, - /** Lookup462: pallet_parachain_staking::delegation_requests::ScheduledRequest */ + /** Lookup463: pallet_parachain_staking::delegation_requests::ScheduledRequest */ PalletParachainStakingDelegationRequestsScheduledRequest: { delegator: "AccountId20", whenExecutable: "u32", action: "PalletParachainStakingDelegationRequestsDelegationAction", }, /** - * Lookup465: + * Lookup466: * pallet_parachain_staking::auto_compound::AutoCompoundConfig[account::AccountId20](account::AccountId20) */ PalletParachainStakingAutoCompoundAutoCompoundConfig: { delegator: "AccountId20", value: "Percent", }, - /** Lookup467: pallet_parachain_staking::types::Delegations */ + /** Lookup468: pallet_parachain_staking::types::Delegations */ PalletParachainStakingDelegations: { delegations: "Vec", total: "u128", }, /** - * Lookup469: + * Lookup470: * pallet_parachain_staking::set::BoundedOrderedSet, S> */ PalletParachainStakingSetBoundedOrderedSet: "Vec", - /** Lookup472: pallet_parachain_staking::types::CollatorSnapshot */ + /** Lookup473: pallet_parachain_staking::types::CollatorSnapshot */ PalletParachainStakingCollatorSnapshot: { bond: "u128", delegations: "Vec", total: "u128", }, - /** Lookup474: pallet_parachain_staking::types::BondWithAutoCompound */ + /** Lookup475: pallet_parachain_staking::types::BondWithAutoCompound */ PalletParachainStakingBondWithAutoCompound: { owner: "AccountId20", amount: "u128", autoCompound: "Percent", }, - /** Lookup475: pallet_parachain_staking::types::DelayedPayout */ + /** Lookup476: pallet_parachain_staking::types::DelayedPayout */ PalletParachainStakingDelayedPayout: { roundIssuance: "u128", totalStakingReward: "u128", collatorCommission: "Perbill", }, - /** Lookup476: pallet_parachain_staking::inflation::InflationInfo */ + /** Lookup477: pallet_parachain_staking::inflation::InflationInfo */ PalletParachainStakingInflationInflationInfo: { expect: { min: "u128", @@ -4846,7 +4851,7 @@ export default { max: "Perbill", }, }, - /** Lookup477: pallet_parachain_staking::pallet::Error */ + /** Lookup478: pallet_parachain_staking::pallet::Error */ PalletParachainStakingError: { _enum: [ "DelegatorDNE", @@ -4907,11 +4912,11 @@ export default { "CurrentRoundTooLow", ], }, - /** Lookup478: pallet_author_inherent::pallet::Error */ + /** Lookup479: pallet_author_inherent::pallet::Error */ PalletAuthorInherentError: { _enum: ["AuthorAlreadySet", "NoAccountId", "CannotBeAuthor"], }, - /** Lookup479: pallet_author_mapping::pallet::RegistrationInfo */ + /** Lookup480: pallet_author_mapping::pallet::RegistrationInfo */ PalletAuthorMappingRegistrationInfo: { _alias: { keys_: "keys", @@ -4920,7 +4925,7 @@ export default { deposit: "u128", keys_: "SessionKeysPrimitivesVrfVrfCryptoPublic", }, - /** Lookup480: pallet_author_mapping::pallet::Error */ + /** Lookup481: pallet_author_mapping::pallet::Error */ PalletAuthorMappingError: { _enum: [ "AssociationNotFound", @@ -4933,18 +4938,18 @@ export default { "DecodeKeysFailed", ], }, - /** Lookup481: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ + /** Lookup482: pallet_moonbeam_orbiters::types::CollatorPoolInfo[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCollatorPoolInfo: { orbiters: "Vec", maybeCurrentOrbiter: "Option", nextOrbiter: "u32", }, - /** Lookup483: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ + /** Lookup484: pallet_moonbeam_orbiters::types::CurrentOrbiter[account::AccountId20](account::AccountId20) */ PalletMoonbeamOrbitersCurrentOrbiter: { accountId: "AccountId20", removed: "bool", }, - /** Lookup484: pallet_moonbeam_orbiters::pallet::Error */ + /** Lookup485: pallet_moonbeam_orbiters::pallet::Error */ PalletMoonbeamOrbitersError: { _enum: [ "CollatorAlreadyAdded", @@ -4958,23 +4963,23 @@ export default { "OrbiterStillInAPool", ], }, - /** Lookup487: pallet_utility::pallet::Error */ + /** Lookup488: pallet_utility::pallet::Error */ PalletUtilityError: { _enum: ["TooManyCalls"], }, - /** Lookup490: pallet_proxy::ProxyDefinition */ + /** Lookup491: pallet_proxy::ProxyDefinition */ PalletProxyProxyDefinition: { delegate: "AccountId20", proxyType: "MoonriverRuntimeProxyType", delay: "u32", }, - /** Lookup494: pallet_proxy::Announcement */ + /** Lookup495: pallet_proxy::Announcement */ PalletProxyAnnouncement: { real: "AccountId20", callHash: "H256", height: "u32", }, - /** Lookup496: pallet_proxy::pallet::Error */ + /** Lookup497: pallet_proxy::pallet::Error */ PalletProxyError: { _enum: [ "TooMany", @@ -4987,12 +4992,12 @@ export default { "NoSelfProxy", ], }, - /** Lookup497: pallet_maintenance_mode::pallet::Error */ + /** Lookup498: pallet_maintenance_mode::pallet::Error */ PalletMaintenanceModeError: { _enum: ["AlreadyInMaintenanceMode", "NotInMaintenanceMode"], }, /** - * Lookup499: pallet_identity::types::Registration> */ PalletIdentityRegistration: { @@ -5000,21 +5005,21 @@ export default { deposit: "u128", info: "PalletIdentityLegacyIdentityInfo", }, - /** Lookup508: pallet_identity::types::RegistrarInfo */ + /** Lookup509: pallet_identity::types::RegistrarInfo */ PalletIdentityRegistrarInfo: { account: "AccountId20", fee: "u128", fields: "u64", }, /** - * Lookup510: + * Lookup511: * pallet_identity::types::AuthorityProperties> */ PalletIdentityAuthorityProperties: { suffix: "Bytes", allocation: "u32", }, - /** Lookup513: pallet_identity::pallet::Error */ + /** Lookup514: pallet_identity::pallet::Error */ PalletIdentityError: { _enum: [ "TooManySubAccounts", @@ -5045,18 +5050,18 @@ export default { "NotExpired", ], }, - /** Lookup514: pallet_migrations::pallet::Error */ + /** Lookup515: pallet_migrations::pallet::Error */ PalletMigrationsError: { _enum: ["PreimageMissing", "WrongUpperBound", "PreimageIsTooBig", "PreimageAlreadyExists"], }, - /** Lookup516: pallet_multisig::Multisig */ + /** Lookup517: pallet_multisig::Multisig */ PalletMultisigMultisig: { when: "PalletMultisigTimepoint", deposit: "u128", depositor: "AccountId20", approvals: "Vec", }, - /** Lookup518: pallet_multisig::pallet::Error */ + /** Lookup519: pallet_multisig::pallet::Error */ PalletMultisigError: { _enum: [ "MinimumThreshold", @@ -5075,7 +5080,7 @@ export default { "AlreadyStored", ], }, - /** Lookup519: pallet_moonbeam_lazy_migrations::pallet::Error */ + /** Lookup520: pallet_moonbeam_lazy_migrations::pallet::Error */ PalletMoonbeamLazyMigrationsError: { _enum: [ "LimitCannotBeZero", @@ -5085,7 +5090,7 @@ export default { "ContractNotExist", ], }, - /** Lookup520: pallet_evm::CodeMetadata */ + /** Lookup521: pallet_evm::CodeMetadata */ PalletEvmCodeMetadata: { _alias: { size_: "size", @@ -5094,7 +5099,7 @@ export default { size_: "u64", hash_: "H256", }, - /** Lookup522: pallet_evm::pallet::Error */ + /** Lookup523: pallet_evm::pallet::Error */ PalletEvmError: { _enum: [ "BalanceLow", @@ -5112,7 +5117,7 @@ export default { "Undefined", ], }, - /** Lookup525: fp_rpc::TransactionStatus */ + /** Lookup526: fp_rpc::TransactionStatus */ FpRpcTransactionStatus: { transactionHash: "H256", transactionIndex: "u32", @@ -5122,9 +5127,9 @@ export default { logs: "Vec", logsBloom: "EthbloomBloom", }, - /** Lookup527: ethbloom::Bloom */ + /** Lookup528: ethbloom::Bloom */ EthbloomBloom: "[u8;256]", - /** Lookup529: ethereum::receipt::ReceiptV3 */ + /** Lookup530: ethereum::receipt::ReceiptV3 */ EthereumReceiptReceiptV3: { _enum: { Legacy: "EthereumReceiptEip658ReceiptData", @@ -5132,7 +5137,7 @@ export default { EIP1559: "EthereumReceiptEip658ReceiptData", }, }, - /** Lookup530: ethereum::receipt::EIP658ReceiptData */ + /** Lookup531: ethereum::receipt::EIP658ReceiptData */ EthereumReceiptEip658ReceiptData: { statusCode: "u8", usedGas: "U256", @@ -5140,7 +5145,7 @@ export default { logs: "Vec", }, /** - * Lookup531: + * Lookup532: * ethereum::block::Block[ethereum::transaction::TransactionV2](ethereum::transaction::TransactionV2) */ EthereumBlock: { @@ -5148,7 +5153,7 @@ export default { transactions: "Vec", ommers: "Vec", }, - /** Lookup532: ethereum::header::Header */ + /** Lookup533: ethereum::header::Header */ EthereumHeader: { parentHash: "H256", ommersHash: "H256", @@ -5166,14 +5171,14 @@ export default { mixHash: "H256", nonce: "EthereumTypesHashH64", }, - /** Lookup533: ethereum_types::hash::H64 */ + /** Lookup534: ethereum_types::hash::H64 */ EthereumTypesHashH64: "[u8;8]", - /** Lookup538: pallet_ethereum::pallet::Error */ + /** Lookup539: pallet_ethereum::pallet::Error */ PalletEthereumError: { _enum: ["InvalidSignature", "PreLogExists"], }, /** - * Lookup541: pallet_scheduler::Scheduled, BlockNumber, moonriver_runtime::OriginCaller, account::AccountId20> */ @@ -5184,13 +5189,13 @@ export default { maybePeriodic: "Option<(u32,u32)>", origin: "MoonriverRuntimeOriginCaller", }, - /** Lookup543: pallet_scheduler::RetryConfig */ + /** Lookup544: pallet_scheduler::RetryConfig */ PalletSchedulerRetryConfig: { totalRetries: "u8", remaining: "u8", period: "u32", }, - /** Lookup544: pallet_scheduler::pallet::Error */ + /** Lookup545: pallet_scheduler::pallet::Error */ PalletSchedulerError: { _enum: [ "FailedToSchedule", @@ -5200,7 +5205,7 @@ export default { "Named", ], }, - /** Lookup545: pallet_preimage::OldRequestStatus */ + /** Lookup546: pallet_preimage::OldRequestStatus */ PalletPreimageOldRequestStatus: { _enum: { Unrequested: { @@ -5215,7 +5220,7 @@ export default { }, }, /** - * Lookup548: pallet_preimage::RequestStatus> */ PalletPreimageRequestStatus: { @@ -5231,7 +5236,7 @@ export default { }, }, }, - /** Lookup554: pallet_preimage::pallet::Error */ + /** Lookup555: pallet_preimage::pallet::Error */ PalletPreimageError: { _enum: [ "TooBig", @@ -5245,7 +5250,7 @@ export default { ], }, /** - * Lookup556: pallet_conviction_voting::vote::Voting */ PalletConvictionVotingVoteVoting: { @@ -5254,20 +5259,20 @@ export default { Delegating: "PalletConvictionVotingVoteDelegating", }, }, - /** Lookup557: pallet_conviction_voting::vote::Casting */ + /** Lookup558: pallet_conviction_voting::vote::Casting */ PalletConvictionVotingVoteCasting: { votes: "Vec<(u32,PalletConvictionVotingVoteAccountVote)>", delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup561: pallet_conviction_voting::types::Delegations */ + /** Lookup562: pallet_conviction_voting::types::Delegations */ PalletConvictionVotingDelegations: { votes: "u128", capital: "u128", }, - /** Lookup562: pallet_conviction_voting::vote::PriorLock */ + /** Lookup563: pallet_conviction_voting::vote::PriorLock */ PalletConvictionVotingVotePriorLock: "(u32,u128)", - /** Lookup563: pallet_conviction_voting::vote::Delegating */ + /** Lookup564: pallet_conviction_voting::vote::Delegating */ PalletConvictionVotingVoteDelegating: { balance: "u128", target: "AccountId20", @@ -5275,7 +5280,7 @@ export default { delegations: "PalletConvictionVotingDelegations", prior: "PalletConvictionVotingVotePriorLock", }, - /** Lookup567: pallet_conviction_voting::pallet::Error */ + /** Lookup568: pallet_conviction_voting::pallet::Error */ PalletConvictionVotingError: { _enum: [ "NotOngoing", @@ -5293,7 +5298,7 @@ export default { ], }, /** - * Lookup568: pallet_referenda::types::ReferendumInfo, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5309,7 +5314,7 @@ export default { }, }, /** - * Lookup569: pallet_referenda::types::ReferendumStatus, Balance, pallet_conviction_voting::types::Tally, account::AccountId20, ScheduleAddress> @@ -5327,17 +5332,17 @@ export default { inQueue: "bool", alarm: "Option<(u32,(u32,u32))>", }, - /** Lookup570: pallet_referenda::types::Deposit */ + /** Lookup571: pallet_referenda::types::Deposit */ PalletReferendaDeposit: { who: "AccountId20", amount: "u128", }, - /** Lookup573: pallet_referenda::types::DecidingStatus */ + /** Lookup574: pallet_referenda::types::DecidingStatus */ PalletReferendaDecidingStatus: { since: "u32", confirming: "Option", }, - /** Lookup581: pallet_referenda::types::TrackInfo */ + /** Lookup582: pallet_referenda::types::TrackInfo */ PalletReferendaTrackInfo: { name: "Text", maxDeciding: "u32", @@ -5349,7 +5354,7 @@ export default { minApproval: "PalletReferendaCurve", minSupport: "PalletReferendaCurve", }, - /** Lookup582: pallet_referenda::types::Curve */ + /** Lookup583: pallet_referenda::types::Curve */ PalletReferendaCurve: { _enum: { LinearDecreasing: { @@ -5370,7 +5375,7 @@ export default { }, }, }, - /** Lookup585: pallet_referenda::pallet::Error */ + /** Lookup586: pallet_referenda::pallet::Error */ PalletReferendaError: { _enum: [ "NotOngoing", @@ -5389,7 +5394,7 @@ export default { "PreimageStoredWithDifferentLength", ], }, - /** Lookup586: pallet_whitelist::pallet::Error */ + /** Lookup587: pallet_whitelist::pallet::Error */ PalletWhitelistError: { _enum: [ "UnavailablePreImage", @@ -5399,7 +5404,7 @@ export default { "CallAlreadyWhitelisted", ], }, - /** Lookup588: pallet_collective::Votes */ + /** Lookup589: pallet_collective::Votes */ PalletCollectiveVotes: { index: "u32", threshold: "u32", @@ -5407,7 +5412,7 @@ export default { nays: "Vec", end: "u32", }, - /** Lookup589: pallet_collective::pallet::Error */ + /** Lookup590: pallet_collective::pallet::Error */ PalletCollectiveError: { _enum: [ "NotMember", @@ -5423,7 +5428,7 @@ export default { "PrimeAccountNotMember", ], }, - /** Lookup592: pallet_treasury::Proposal */ + /** Lookup593: pallet_treasury::Proposal */ PalletTreasuryProposal: { proposer: "AccountId20", value: "u128", @@ -5431,7 +5436,7 @@ export default { bond: "u128", }, /** - * Lookup595: pallet_treasury::SpendStatus */ PalletTreasurySpendStatus: { @@ -5442,7 +5447,7 @@ export default { expireAt: "u32", status: "PalletTreasuryPaymentState", }, - /** Lookup596: pallet_treasury::PaymentState */ + /** Lookup597: pallet_treasury::PaymentState */ PalletTreasuryPaymentState: { _enum: { Pending: "Null", @@ -5452,9 +5457,9 @@ export default { Failed: "Null", }, }, - /** Lookup598: frame_support::PalletId */ + /** Lookup599: frame_support::PalletId */ FrameSupportPalletId: "[u8;8]", - /** Lookup599: pallet_treasury::pallet::Error */ + /** Lookup600: pallet_treasury::pallet::Error */ PalletTreasuryError: { _enum: [ "InsufficientProposersBalance", @@ -5471,13 +5476,13 @@ export default { "Inconclusive", ], }, - /** Lookup600: pallet_crowdloan_rewards::pallet::RewardInfo */ + /** Lookup601: pallet_crowdloan_rewards::pallet::RewardInfo */ PalletCrowdloanRewardsRewardInfo: { totalReward: "u128", claimedReward: "u128", contributedRelayAddresses: "Vec<[u8;32]>", }, - /** Lookup602: pallet_crowdloan_rewards::pallet::Error */ + /** Lookup603: pallet_crowdloan_rewards::pallet::Error */ PalletCrowdloanRewardsError: { _enum: [ "AlreadyAssociated", @@ -5497,7 +5502,7 @@ export default { "InsufficientNumberOfValidProofs", ], }, - /** Lookup607: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ + /** Lookup608: cumulus_pallet_xcmp_queue::OutboundChannelDetails */ CumulusPalletXcmpQueueOutboundChannelDetails: { recipient: "u32", state: "CumulusPalletXcmpQueueOutboundState", @@ -5505,21 +5510,21 @@ export default { firstIndex: "u16", lastIndex: "u16", }, - /** Lookup608: cumulus_pallet_xcmp_queue::OutboundState */ + /** Lookup609: cumulus_pallet_xcmp_queue::OutboundState */ CumulusPalletXcmpQueueOutboundState: { _enum: ["Ok", "Suspended"], }, - /** Lookup610: cumulus_pallet_xcmp_queue::QueueConfigData */ + /** Lookup611: cumulus_pallet_xcmp_queue::QueueConfigData */ CumulusPalletXcmpQueueQueueConfigData: { suspendThreshold: "u32", dropThreshold: "u32", resumeThreshold: "u32", }, - /** Lookup611: cumulus_pallet_xcmp_queue::pallet::Error */ + /** Lookup612: cumulus_pallet_xcmp_queue::pallet::Error */ CumulusPalletXcmpQueueError: { _enum: ["BadQueueConfig", "AlreadySuspended", "AlreadyResumed"], }, - /** Lookup612: cumulus_pallet_dmp_queue::pallet::MigrationState */ + /** Lookup613: cumulus_pallet_dmp_queue::pallet::MigrationState */ CumulusPalletDmpQueueMigrationState: { _enum: { NotStarted: "Null", @@ -5537,7 +5542,7 @@ export default { Completed: "Null", }, }, - /** Lookup615: pallet_xcm::pallet::QueryStatus */ + /** Lookup616: pallet_xcm::pallet::QueryStatus */ PalletXcmQueryStatus: { _enum: { Pending: { @@ -5556,7 +5561,7 @@ export default { }, }, }, - /** Lookup619: xcm::VersionedResponse */ + /** Lookup620: xcm::VersionedResponse */ XcmVersionedResponse: { _enum: { __Unused0: "Null", @@ -5566,7 +5571,7 @@ export default { V4: "StagingXcmV4Response", }, }, - /** Lookup625: pallet_xcm::pallet::VersionMigrationStage */ + /** Lookup626: pallet_xcm::pallet::VersionMigrationStage */ PalletXcmVersionMigrationStage: { _enum: { MigrateSupportedVersion: "Null", @@ -5575,14 +5580,14 @@ export default { MigrateAndNotifyOldTargets: "Null", }, }, - /** Lookup628: pallet_xcm::pallet::RemoteLockedFungibleRecord */ + /** Lookup629: pallet_xcm::pallet::RemoteLockedFungibleRecord */ PalletXcmRemoteLockedFungibleRecord: { amount: "u128", owner: "XcmVersionedLocation", locker: "XcmVersionedLocation", consumers: "Vec<(Null,u128)>", }, - /** Lookup635: pallet_xcm::pallet::Error */ + /** Lookup636: pallet_xcm::pallet::Error */ PalletXcmError: { _enum: [ "Unreachable", @@ -5612,7 +5617,7 @@ export default { "LocalExecutionIncomplete", ], }, - /** Lookup636: pallet_assets::types::AssetDetails */ + /** Lookup637: pallet_assets::types::AssetDetails */ PalletAssetsAssetDetails: { owner: "AccountId20", issuer: "AccountId20", @@ -5627,22 +5632,22 @@ export default { approvals: "u32", status: "PalletAssetsAssetStatus", }, - /** Lookup637: pallet_assets::types::AssetStatus */ + /** Lookup638: pallet_assets::types::AssetStatus */ PalletAssetsAssetStatus: { _enum: ["Live", "Frozen", "Destroying"], }, - /** Lookup639: pallet_assets::types::AssetAccount */ + /** Lookup640: pallet_assets::types::AssetAccount */ PalletAssetsAssetAccount: { balance: "u128", status: "PalletAssetsAccountStatus", reason: "PalletAssetsExistenceReason", extra: "Null", }, - /** Lookup640: pallet_assets::types::AccountStatus */ + /** Lookup641: pallet_assets::types::AccountStatus */ PalletAssetsAccountStatus: { _enum: ["Liquid", "Frozen", "Blocked"], }, - /** Lookup641: pallet_assets::types::ExistenceReason */ + /** Lookup642: pallet_assets::types::ExistenceReason */ PalletAssetsExistenceReason: { _enum: { Consumer: "Null", @@ -5652,13 +5657,13 @@ export default { DepositFrom: "(AccountId20,u128)", }, }, - /** Lookup643: pallet_assets::types::Approval */ + /** Lookup644: pallet_assets::types::Approval */ PalletAssetsApproval: { amount: "u128", deposit: "u128", }, /** - * Lookup644: pallet_assets::types::AssetMetadata> */ PalletAssetsAssetMetadata: { @@ -5668,7 +5673,7 @@ export default { decimals: "u8", isFrozen: "bool", }, - /** Lookup646: pallet_assets::pallet::Error */ + /** Lookup647: pallet_assets::pallet::Error */ PalletAssetsError: { _enum: [ "BalanceLow", @@ -5693,7 +5698,7 @@ export default { "CallbackFailed", ], }, - /** Lookup647: pallet_asset_manager::pallet::Error */ + /** Lookup648: pallet_asset_manager::pallet::Error */ PalletAssetManagerError: { _enum: [ "ErrorCreatingAsset", @@ -5706,7 +5711,7 @@ export default { "NonExistentLocalAsset", ], }, - /** Lookup648: orml_xtokens::module::Error */ + /** Lookup649: orml_xtokens::module::Error */ OrmlXtokensModuleError: { _enum: [ "AssetHasNoReserve", @@ -5731,7 +5736,7 @@ export default { "RateLimited", ], }, - /** Lookup649: pallet_xcm_transactor::relay_indices::RelayChainIndices */ + /** Lookup650: pallet_xcm_transactor::relay_indices::RelayChainIndices */ PalletXcmTransactorRelayIndicesRelayChainIndices: { staking: "u8", utility: "u8", @@ -5752,7 +5757,7 @@ export default { closeChannel: "u8", cancelOpenRequest: "u8", }, - /** Lookup650: pallet_xcm_transactor::pallet::Error */ + /** Lookup651: pallet_xcm_transactor::pallet::Error */ PalletXcmTransactorError: { _enum: [ "IndexAlreadyClaimed", @@ -5784,11 +5789,11 @@ export default { "RefundNotSupportedWithTransactInfo", ], }, - /** Lookup651: pallet_ethereum_xcm::pallet::Error */ + /** Lookup652: pallet_ethereum_xcm::pallet::Error */ PalletEthereumXcmError: { _enum: ["EthereumXcmExecutionSuspended"], }, - /** Lookup652: pallet_message_queue::BookState */ + /** Lookup653: pallet_message_queue::BookState */ PalletMessageQueueBookState: { _alias: { size_: "size", @@ -5800,12 +5805,12 @@ export default { messageCount: "u64", size_: "u64", }, - /** Lookup654: pallet_message_queue::Neighbours */ + /** Lookup655: pallet_message_queue::Neighbours */ PalletMessageQueueNeighbours: { prev: "CumulusPrimitivesCoreAggregateMessageOrigin", next: "CumulusPrimitivesCoreAggregateMessageOrigin", }, - /** Lookup656: pallet_message_queue::Page */ + /** Lookup657: pallet_message_queue::Page */ PalletMessageQueuePage: { remaining: "u32", remainingSize: "u32", @@ -5814,7 +5819,7 @@ export default { last: "u32", heap: "Bytes", }, - /** Lookup658: pallet_message_queue::pallet::Error */ + /** Lookup659: pallet_message_queue::pallet::Error */ PalletMessageQueueError: { _enum: [ "NotReapable", @@ -5828,11 +5833,11 @@ export default { "RecursiveDisallowed", ], }, - /** Lookup660: pallet_moonbeam_foreign_assets::AssetStatus */ + /** Lookup661: pallet_moonbeam_foreign_assets::AssetStatus */ PalletMoonbeamForeignAssetsAssetStatus: { _enum: ["Active", "FrozenXcmDepositAllowed", "FrozenXcmDepositForbidden"], }, - /** Lookup661: pallet_moonbeam_foreign_assets::pallet::Error */ + /** Lookup662: pallet_moonbeam_foreign_assets::pallet::Error */ PalletMoonbeamForeignAssetsError: { _enum: [ "AssetAlreadyExists", @@ -5851,7 +5856,7 @@ export default { "TooManyForeignAssets", ], }, - /** Lookup663: pallet_xcm_weight_trader::pallet::Error */ + /** Lookup664: pallet_xcm_weight_trader::pallet::Error */ PalletXcmWeightTraderError: { _enum: [ "AssetAlreadyAdded", @@ -5862,24 +5867,24 @@ export default { "PriceCannotBeZero", ], }, - /** Lookup664: pallet_emergency_para_xcm::XcmMode */ + /** Lookup665: pallet_emergency_para_xcm::XcmMode */ PalletEmergencyParaXcmXcmMode: { _enum: ["Normal", "Paused"], }, - /** Lookup665: pallet_emergency_para_xcm::pallet::Error */ + /** Lookup666: pallet_emergency_para_xcm::pallet::Error */ PalletEmergencyParaXcmError: { _enum: ["NotInPausedMode"], }, - /** Lookup667: pallet_precompile_benchmarks::pallet::Error */ + /** Lookup668: pallet_precompile_benchmarks::pallet::Error */ PalletPrecompileBenchmarksError: { _enum: ["BenchmarkError"], }, - /** Lookup668: pallet_randomness::types::RequestState */ + /** Lookup669: pallet_randomness::types::RequestState */ PalletRandomnessRequestState: { request: "PalletRandomnessRequest", deposit: "u128", }, - /** Lookup669: pallet_randomness::types::Request> */ + /** Lookup670: pallet_randomness::types::Request> */ PalletRandomnessRequest: { refundAddress: "H160", contractAddress: "H160", @@ -5889,26 +5894,26 @@ export default { salt: "H256", info: "PalletRandomnessRequestInfo", }, - /** Lookup670: pallet_randomness::types::RequestInfo */ + /** Lookup671: pallet_randomness::types::RequestInfo */ PalletRandomnessRequestInfo: { _enum: { BabeEpoch: "(u64,u64)", Local: "(u32,u32)", }, }, - /** Lookup671: pallet_randomness::types::RequestType */ + /** Lookup672: pallet_randomness::types::RequestType */ PalletRandomnessRequestType: { _enum: { BabeEpoch: "u64", Local: "u32", }, }, - /** Lookup672: pallet_randomness::types::RandomnessResult */ + /** Lookup673: pallet_randomness::types::RandomnessResult */ PalletRandomnessRandomnessResult: { randomness: "Option", requestCount: "u64", }, - /** Lookup673: pallet_randomness::pallet::Error */ + /** Lookup674: pallet_randomness::pallet::Error */ PalletRandomnessError: { _enum: [ "RequestCounterOverflowed", @@ -5925,30 +5930,30 @@ export default { "RandomnessResultNotFilled", ], }, - /** Lookup676: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ + /** Lookup677: frame_system::extensions::check_non_zero_sender::CheckNonZeroSender */ FrameSystemExtensionsCheckNonZeroSender: "Null", - /** Lookup677: frame_system::extensions::check_spec_version::CheckSpecVersion */ + /** Lookup678: frame_system::extensions::check_spec_version::CheckSpecVersion */ FrameSystemExtensionsCheckSpecVersion: "Null", - /** Lookup678: frame_system::extensions::check_tx_version::CheckTxVersion */ + /** Lookup679: frame_system::extensions::check_tx_version::CheckTxVersion */ FrameSystemExtensionsCheckTxVersion: "Null", - /** Lookup679: frame_system::extensions::check_genesis::CheckGenesis */ + /** Lookup680: frame_system::extensions::check_genesis::CheckGenesis */ FrameSystemExtensionsCheckGenesis: "Null", - /** Lookup682: frame_system::extensions::check_nonce::CheckNonce */ + /** Lookup683: frame_system::extensions::check_nonce::CheckNonce */ FrameSystemExtensionsCheckNonce: "Compact", - /** Lookup683: frame_system::extensions::check_weight::CheckWeight */ + /** Lookup684: frame_system::extensions::check_weight::CheckWeight */ FrameSystemExtensionsCheckWeight: "Null", - /** Lookup684: pallet_transaction_payment::ChargeTransactionPayment */ + /** Lookup685: pallet_transaction_payment::ChargeTransactionPayment */ PalletTransactionPaymentChargeTransactionPayment: "Compact", - /** Lookup685: frame_metadata_hash_extension::CheckMetadataHash */ + /** Lookup686: frame_metadata_hash_extension::CheckMetadataHash */ FrameMetadataHashExtensionCheckMetadataHash: { mode: "FrameMetadataHashExtensionMode", }, - /** Lookup686: frame_metadata_hash_extension::Mode */ + /** Lookup687: frame_metadata_hash_extension::Mode */ FrameMetadataHashExtensionMode: { _enum: ["Disabled", "Enabled"], }, - /** Lookup687: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ + /** Lookup688: cumulus_primitives_storage_weight_reclaim::StorageWeightReclaim */ CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim: "Null", - /** Lookup689: moonriver_runtime::Runtime */ + /** Lookup690: moonriver_runtime::Runtime */ MoonriverRuntimeRuntime: "Null", }; diff --git a/typescript-api/src/moonriver/interfaces/registry.ts b/typescript-api/src/moonriver/interfaces/registry.ts index 413fc215b9..20ab565881 100644 --- a/typescript-api/src/moonriver/interfaces/registry.ts +++ b/typescript-api/src/moonriver/interfaces/registry.ts @@ -215,6 +215,7 @@ import type { PalletParachainStakingError, PalletParachainStakingEvent, PalletParachainStakingInflationDistributionAccount, + PalletParachainStakingInflationDistributionConfig, PalletParachainStakingInflationInflationInfo, PalletParachainStakingRoundInfo, PalletParachainStakingSetBoundedOrderedSet, @@ -603,6 +604,7 @@ declare module "@polkadot/types/types/registry" { PalletParachainStakingError: PalletParachainStakingError; PalletParachainStakingEvent: PalletParachainStakingEvent; PalletParachainStakingInflationDistributionAccount: PalletParachainStakingInflationDistributionAccount; + PalletParachainStakingInflationDistributionConfig: PalletParachainStakingInflationDistributionConfig; PalletParachainStakingInflationInflationInfo: PalletParachainStakingInflationInflationInfo; PalletParachainStakingRoundInfo: PalletParachainStakingRoundInfo; PalletParachainStakingSetBoundedOrderedSet: PalletParachainStakingSetBoundedOrderedSet; diff --git a/typescript-api/src/moonriver/interfaces/types-lookup.ts b/typescript-api/src/moonriver/interfaces/types-lookup.ts index d934b0612d..c4952fc807 100644 --- a/typescript-api/src/moonriver/interfaces/types-lookup.ts +++ b/typescript-api/src/moonriver/interfaces/types-lookup.ts @@ -591,8 +591,8 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly isInflationDistributionConfigUpdated: boolean; readonly asInflationDistributionConfigUpdated: { - readonly old: Vec; - readonly new_: Vec; + readonly old: PalletParachainStakingInflationDistributionConfig; + readonly new_: PalletParachainStakingInflationDistributionConfig; } & Struct; readonly isInflationSet: boolean; readonly asInflationSet: { @@ -703,20 +703,24 @@ declare module "@polkadot/types/lookup" { readonly type: "AddedToTop" | "AddedToBottom"; } - /** @name PalletParachainStakingInflationDistributionAccount (44) */ + /** @name PalletParachainStakingInflationDistributionConfig (43) */ + interface PalletParachainStakingInflationDistributionConfig + extends Vec {} + + /** @name PalletParachainStakingInflationDistributionAccount (45) */ interface PalletParachainStakingInflationDistributionAccount extends Struct { readonly account: AccountId20; readonly percent: Percent; } - /** @name PalletAuthorSlotFilterEvent (46) */ + /** @name PalletAuthorSlotFilterEvent (47) */ interface PalletAuthorSlotFilterEvent extends Enum { readonly isEligibleUpdated: boolean; readonly asEligibleUpdated: u32; readonly type: "EligibleUpdated"; } - /** @name PalletAuthorMappingEvent (48) */ + /** @name PalletAuthorMappingEvent (49) */ interface PalletAuthorMappingEvent extends Enum { readonly isKeysRegistered: boolean; readonly asKeysRegistered: { @@ -739,13 +743,13 @@ declare module "@polkadot/types/lookup" { readonly type: "KeysRegistered" | "KeysRemoved" | "KeysRotated"; } - /** @name NimbusPrimitivesNimbusCryptoPublic (49) */ + /** @name NimbusPrimitivesNimbusCryptoPublic (50) */ interface NimbusPrimitivesNimbusCryptoPublic extends U8aFixed {} - /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (50) */ + /** @name SessionKeysPrimitivesVrfVrfCryptoPublic (51) */ interface SessionKeysPrimitivesVrfVrfCryptoPublic extends U8aFixed {} - /** @name PalletMoonbeamOrbitersEvent (51) */ + /** @name PalletMoonbeamOrbitersEvent (52) */ interface PalletMoonbeamOrbitersEvent extends Enum { readonly isOrbiterJoinCollatorPool: boolean; readonly asOrbiterJoinCollatorPool: { @@ -786,7 +790,7 @@ declare module "@polkadot/types/lookup" { | "OrbiterUnregistered"; } - /** @name PalletUtilityEvent (53) */ + /** @name PalletUtilityEvent (54) */ interface PalletUtilityEvent extends Enum { readonly isBatchInterrupted: boolean; readonly asBatchInterrupted: { @@ -813,7 +817,7 @@ declare module "@polkadot/types/lookup" { | "DispatchedAs"; } - /** @name PalletProxyEvent (56) */ + /** @name PalletProxyEvent (57) */ interface PalletProxyEvent extends Enum { readonly isProxyExecuted: boolean; readonly asProxyExecuted: { @@ -849,7 +853,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProxyExecuted" | "PureCreated" | "Announced" | "ProxyAdded" | "ProxyRemoved"; } - /** @name MoonriverRuntimeProxyType (57) */ + /** @name MoonriverRuntimeProxyType (58) */ interface MoonriverRuntimeProxyType extends Enum { readonly isAny: boolean; readonly isNonTransfer: boolean; @@ -870,7 +874,7 @@ declare module "@polkadot/types/lookup" { | "IdentityJudgement"; } - /** @name PalletMaintenanceModeEvent (59) */ + /** @name PalletMaintenanceModeEvent (60) */ interface PalletMaintenanceModeEvent extends Enum { readonly isEnteredMaintenanceMode: boolean; readonly isNormalOperationResumed: boolean; @@ -889,7 +893,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletIdentityEvent (60) */ + /** @name PalletIdentityEvent (61) */ interface PalletIdentityEvent extends Enum { readonly isIdentitySet: boolean; readonly asIdentitySet: { @@ -995,7 +999,7 @@ declare module "@polkadot/types/lookup" { | "DanglingUsernameRemoved"; } - /** @name PalletMigrationsEvent (62) */ + /** @name PalletMigrationsEvent (63) */ interface PalletMigrationsEvent extends Enum { readonly isRuntimeUpgradeStarted: boolean; readonly isRuntimeUpgradeCompleted: boolean; @@ -1028,7 +1032,7 @@ declare module "@polkadot/types/lookup" { | "FailedToResumeIdleXcmExecution"; } - /** @name PalletMultisigEvent (63) */ + /** @name PalletMultisigEvent (64) */ interface PalletMultisigEvent extends Enum { readonly isNewMultisig: boolean; readonly asNewMultisig: { @@ -1061,13 +1065,13 @@ declare module "@polkadot/types/lookup" { readonly type: "NewMultisig" | "MultisigApproval" | "MultisigExecuted" | "MultisigCancelled"; } - /** @name PalletMultisigTimepoint (64) */ + /** @name PalletMultisigTimepoint (65) */ interface PalletMultisigTimepoint extends Struct { readonly height: u32; readonly index: u32; } - /** @name PalletEvmEvent (65) */ + /** @name PalletEvmEvent (66) */ interface PalletEvmEvent extends Enum { readonly isLog: boolean; readonly asLog: { @@ -1092,14 +1096,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Log" | "Created" | "CreatedFailed" | "Executed" | "ExecutedFailed"; } - /** @name EthereumLog (66) */ + /** @name EthereumLog (67) */ interface EthereumLog extends Struct { readonly address: H160; readonly topics: Vec; readonly data: Bytes; } - /** @name PalletEthereumEvent (69) */ + /** @name PalletEthereumEvent (70) */ interface PalletEthereumEvent extends Enum { readonly isExecuted: boolean; readonly asExecuted: { @@ -1112,7 +1116,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Executed"; } - /** @name EvmCoreErrorExitReason (70) */ + /** @name EvmCoreErrorExitReason (71) */ interface EvmCoreErrorExitReason extends Enum { readonly isSucceed: boolean; readonly asSucceed: EvmCoreErrorExitSucceed; @@ -1125,7 +1129,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Succeed" | "Error" | "Revert" | "Fatal"; } - /** @name EvmCoreErrorExitSucceed (71) */ + /** @name EvmCoreErrorExitSucceed (72) */ interface EvmCoreErrorExitSucceed extends Enum { readonly isStopped: boolean; readonly isReturned: boolean; @@ -1133,7 +1137,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Stopped" | "Returned" | "Suicided"; } - /** @name EvmCoreErrorExitError (72) */ + /** @name EvmCoreErrorExitError (73) */ interface EvmCoreErrorExitError extends Enum { readonly isStackUnderflow: boolean; readonly isStackOverflow: boolean; @@ -1172,13 +1176,13 @@ declare module "@polkadot/types/lookup" { | "InvalidCode"; } - /** @name EvmCoreErrorExitRevert (76) */ + /** @name EvmCoreErrorExitRevert (77) */ interface EvmCoreErrorExitRevert extends Enum { readonly isReverted: boolean; readonly type: "Reverted"; } - /** @name EvmCoreErrorExitFatal (77) */ + /** @name EvmCoreErrorExitFatal (78) */ interface EvmCoreErrorExitFatal extends Enum { readonly isNotSupported: boolean; readonly isUnhandledInterrupt: boolean; @@ -1189,7 +1193,7 @@ declare module "@polkadot/types/lookup" { readonly type: "NotSupported" | "UnhandledInterrupt" | "CallErrorAsFatal" | "Other"; } - /** @name PalletSchedulerEvent (78) */ + /** @name PalletSchedulerEvent (79) */ interface PalletSchedulerEvent extends Enum { readonly isScheduled: boolean; readonly asScheduled: { @@ -1251,7 +1255,7 @@ declare module "@polkadot/types/lookup" { | "PermanentlyOverweight"; } - /** @name PalletPreimageEvent (80) */ + /** @name PalletPreimageEvent (81) */ interface PalletPreimageEvent extends Enum { readonly isNoted: boolean; readonly asNoted: { @@ -1268,7 +1272,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Noted" | "Requested" | "Cleared"; } - /** @name PalletConvictionVotingEvent (81) */ + /** @name PalletConvictionVotingEvent (82) */ interface PalletConvictionVotingEvent extends Enum { readonly isDelegated: boolean; readonly asDelegated: ITuple<[AccountId20, AccountId20]>; @@ -1277,7 +1281,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Delegated" | "Undelegated"; } - /** @name PalletReferendaEvent (82) */ + /** @name PalletReferendaEvent (83) */ interface PalletReferendaEvent extends Enum { readonly isSubmitted: boolean; readonly asSubmitted: { @@ -1381,7 +1385,7 @@ declare module "@polkadot/types/lookup" { | "MetadataCleared"; } - /** @name FrameSupportPreimagesBounded (83) */ + /** @name FrameSupportPreimagesBounded (84) */ interface FrameSupportPreimagesBounded extends Enum { readonly isLegacy: boolean; readonly asLegacy: { @@ -1397,7 +1401,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Inline" | "Lookup"; } - /** @name FrameSystemCall (85) */ + /** @name FrameSystemCall (86) */ interface FrameSystemCall extends Enum { readonly isRemark: boolean; readonly asRemark: { @@ -1458,7 +1462,7 @@ declare module "@polkadot/types/lookup" { | "ApplyAuthorizedUpgrade"; } - /** @name CumulusPalletParachainSystemCall (89) */ + /** @name CumulusPalletParachainSystemCall (90) */ interface CumulusPalletParachainSystemCall extends Enum { readonly isSetValidationData: boolean; readonly asSetValidationData: { @@ -1484,7 +1488,7 @@ declare module "@polkadot/types/lookup" { | "EnactAuthorizedUpgrade"; } - /** @name CumulusPrimitivesParachainInherentParachainInherentData (90) */ + /** @name CumulusPrimitivesParachainInherentParachainInherentData (91) */ interface CumulusPrimitivesParachainInherentParachainInherentData extends Struct { readonly validationData: PolkadotPrimitivesV7PersistedValidationData; readonly relayChainState: SpTrieStorageProof; @@ -1492,7 +1496,7 @@ declare module "@polkadot/types/lookup" { readonly horizontalMessages: BTreeMap>; } - /** @name PolkadotPrimitivesV7PersistedValidationData (91) */ + /** @name PolkadotPrimitivesV7PersistedValidationData (92) */ interface PolkadotPrimitivesV7PersistedValidationData extends Struct { readonly parentHead: Bytes; readonly relayParentNumber: u32; @@ -1500,24 +1504,24 @@ declare module "@polkadot/types/lookup" { readonly maxPovSize: u32; } - /** @name SpTrieStorageProof (93) */ + /** @name SpTrieStorageProof (94) */ interface SpTrieStorageProof extends Struct { readonly trieNodes: BTreeSet; } - /** @name PolkadotCorePrimitivesInboundDownwardMessage (96) */ + /** @name PolkadotCorePrimitivesInboundDownwardMessage (97) */ interface PolkadotCorePrimitivesInboundDownwardMessage extends Struct { readonly sentAt: u32; readonly msg: Bytes; } - /** @name PolkadotCorePrimitivesInboundHrmpMessage (100) */ + /** @name PolkadotCorePrimitivesInboundHrmpMessage (101) */ interface PolkadotCorePrimitivesInboundHrmpMessage extends Struct { readonly sentAt: u32; readonly data: Bytes; } - /** @name PalletTimestampCall (103) */ + /** @name PalletTimestampCall (104) */ interface PalletTimestampCall extends Enum { readonly isSet: boolean; readonly asSet: { @@ -1526,7 +1530,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Set"; } - /** @name PalletRootTestingCall (104) */ + /** @name PalletRootTestingCall (105) */ interface PalletRootTestingCall extends Enum { readonly isFillBlock: boolean; readonly asFillBlock: { @@ -1536,7 +1540,7 @@ declare module "@polkadot/types/lookup" { readonly type: "FillBlock" | "TriggerDefensive"; } - /** @name PalletBalancesCall (105) */ + /** @name PalletBalancesCall (106) */ interface PalletBalancesCall extends Enum { readonly isTransferAllowDeath: boolean; readonly asTransferAllowDeath: { @@ -1589,14 +1593,14 @@ declare module "@polkadot/types/lookup" { | "ForceAdjustTotalIssuance"; } - /** @name PalletBalancesAdjustmentDirection (108) */ + /** @name PalletBalancesAdjustmentDirection (109) */ interface PalletBalancesAdjustmentDirection extends Enum { readonly isIncrease: boolean; readonly isDecrease: boolean; readonly type: "Increase" | "Decrease"; } - /** @name PalletParachainStakingCall (109) */ + /** @name PalletParachainStakingCall (110) */ interface PalletParachainStakingCall extends Enum { readonly isSetStakingExpectations: boolean; readonly asSetStakingExpectations: { @@ -1736,7 +1740,7 @@ declare module "@polkadot/types/lookup" { } & Struct; readonly isSetInflationDistributionConfig: boolean; readonly asSetInflationDistributionConfig: { - readonly new_: Vec; + readonly new_: PalletParachainStakingInflationDistributionConfig; } & Struct; readonly type: | "SetStakingExpectations" @@ -1774,13 +1778,13 @@ declare module "@polkadot/types/lookup" { | "SetInflationDistributionConfig"; } - /** @name PalletAuthorInherentCall (112) */ + /** @name PalletAuthorInherentCall (113) */ interface PalletAuthorInherentCall extends Enum { readonly isKickOffAuthorshipValidation: boolean; readonly type: "KickOffAuthorshipValidation"; } - /** @name PalletAuthorSlotFilterCall (113) */ + /** @name PalletAuthorSlotFilterCall (114) */ interface PalletAuthorSlotFilterCall extends Enum { readonly isSetEligible: boolean; readonly asSetEligible: { @@ -1789,7 +1793,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetEligible"; } - /** @name PalletAuthorMappingCall (114) */ + /** @name PalletAuthorMappingCall (115) */ interface PalletAuthorMappingCall extends Enum { readonly isAddAssociation: boolean; readonly asAddAssociation: { @@ -1817,7 +1821,7 @@ declare module "@polkadot/types/lookup" { | "SetKeys"; } - /** @name PalletMoonbeamOrbitersCall (115) */ + /** @name PalletMoonbeamOrbitersCall (116) */ interface PalletMoonbeamOrbitersCall extends Enum { readonly isCollatorAddOrbiter: boolean; readonly asCollatorAddOrbiter: { @@ -1854,7 +1858,7 @@ declare module "@polkadot/types/lookup" { | "RemoveCollator"; } - /** @name PalletUtilityCall (116) */ + /** @name PalletUtilityCall (117) */ interface PalletUtilityCall extends Enum { readonly isBatch: boolean; readonly asBatch: { @@ -1892,7 +1896,7 @@ declare module "@polkadot/types/lookup" { | "WithWeight"; } - /** @name MoonriverRuntimeOriginCaller (118) */ + /** @name MoonriverRuntimeOriginCaller (119) */ interface MoonriverRuntimeOriginCaller extends Enum { readonly isSystem: boolean; readonly asSystem: FrameSupportDispatchRawOrigin; @@ -1923,7 +1927,7 @@ declare module "@polkadot/types/lookup" { | "EthereumXcm"; } - /** @name FrameSupportDispatchRawOrigin (119) */ + /** @name FrameSupportDispatchRawOrigin (120) */ interface FrameSupportDispatchRawOrigin extends Enum { readonly isRoot: boolean; readonly isSigned: boolean; @@ -1932,14 +1936,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Root" | "Signed" | "None"; } - /** @name PalletEthereumRawOrigin (120) */ + /** @name PalletEthereumRawOrigin (121) */ interface PalletEthereumRawOrigin extends Enum { readonly isEthereumTransaction: boolean; readonly asEthereumTransaction: H160; readonly type: "EthereumTransaction"; } - /** @name MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin (121) */ + /** @name MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin (122) */ interface MoonriverRuntimeGovernanceOriginsCustomOriginsOrigin extends Enum { readonly isWhitelistedCaller: boolean; readonly isGeneralAdmin: boolean; @@ -1954,7 +1958,7 @@ declare module "@polkadot/types/lookup" { | "FastGeneralAdmin"; } - /** @name PalletCollectiveRawOrigin (122) */ + /** @name PalletCollectiveRawOrigin (123) */ interface PalletCollectiveRawOrigin extends Enum { readonly isMembers: boolean; readonly asMembers: ITuple<[u32, u32]>; @@ -1964,7 +1968,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Members" | "Member" | "Phantom"; } - /** @name CumulusPalletXcmOrigin (124) */ + /** @name CumulusPalletXcmOrigin (125) */ interface CumulusPalletXcmOrigin extends Enum { readonly isRelay: boolean; readonly isSiblingParachain: boolean; @@ -1972,7 +1976,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Relay" | "SiblingParachain"; } - /** @name PalletXcmOrigin (125) */ + /** @name PalletXcmOrigin (126) */ interface PalletXcmOrigin extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV4Location; @@ -1981,13 +1985,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Xcm" | "Response"; } - /** @name StagingXcmV4Location (126) */ + /** @name StagingXcmV4Location (127) */ interface StagingXcmV4Location extends Struct { readonly parents: u8; readonly interior: StagingXcmV4Junctions; } - /** @name StagingXcmV4Junctions (127) */ + /** @name StagingXcmV4Junctions (128) */ interface StagingXcmV4Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -2009,7 +2013,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name StagingXcmV4Junction (129) */ + /** @name StagingXcmV4Junction (130) */ interface StagingXcmV4Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -2058,7 +2062,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name StagingXcmV4JunctionNetworkId (132) */ + /** @name StagingXcmV4JunctionNetworkId (133) */ interface StagingXcmV4JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -2093,7 +2097,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmV3JunctionBodyId (133) */ + /** @name XcmV3JunctionBodyId (134) */ interface XcmV3JunctionBodyId extends Enum { readonly isUnit: boolean; readonly isMoniker: boolean; @@ -2120,7 +2124,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV3JunctionBodyPart (134) */ + /** @name XcmV3JunctionBodyPart (135) */ interface XcmV3JunctionBodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -2145,17 +2149,17 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name PalletEthereumXcmRawOrigin (142) */ + /** @name PalletEthereumXcmRawOrigin (143) */ interface PalletEthereumXcmRawOrigin extends Enum { readonly isXcmEthereumTransaction: boolean; readonly asXcmEthereumTransaction: H160; readonly type: "XcmEthereumTransaction"; } - /** @name SpCoreVoid (143) */ + /** @name SpCoreVoid (144) */ type SpCoreVoid = Null; - /** @name PalletProxyCall (144) */ + /** @name PalletProxyCall (145) */ interface PalletProxyCall extends Enum { readonly isProxy: boolean; readonly asProxy: { @@ -2225,14 +2229,14 @@ declare module "@polkadot/types/lookup" { | "ProxyAnnounced"; } - /** @name PalletMaintenanceModeCall (146) */ + /** @name PalletMaintenanceModeCall (147) */ interface PalletMaintenanceModeCall extends Enum { readonly isEnterMaintenanceMode: boolean; readonly isResumeNormalOperation: boolean; readonly type: "EnterMaintenanceMode" | "ResumeNormalOperation"; } - /** @name PalletIdentityCall (147) */ + /** @name PalletIdentityCall (148) */ interface PalletIdentityCall extends Enum { readonly isAddRegistrar: boolean; readonly asAddRegistrar: { @@ -2354,7 +2358,7 @@ declare module "@polkadot/types/lookup" { | "RemoveDanglingUsername"; } - /** @name PalletIdentityLegacyIdentityInfo (148) */ + /** @name PalletIdentityLegacyIdentityInfo (149) */ interface PalletIdentityLegacyIdentityInfo extends Struct { readonly additional: Vec>; readonly display: Data; @@ -2367,7 +2371,7 @@ declare module "@polkadot/types/lookup" { readonly twitter: Data; } - /** @name PalletIdentityJudgement (186) */ + /** @name PalletIdentityJudgement (187) */ interface PalletIdentityJudgement extends Enum { readonly isUnknown: boolean; readonly isFeePaid: boolean; @@ -2387,10 +2391,10 @@ declare module "@polkadot/types/lookup" { | "Erroneous"; } - /** @name AccountEthereumSignature (188) */ + /** @name AccountEthereumSignature (189) */ interface AccountEthereumSignature extends U8aFixed {} - /** @name PalletMultisigCall (190) */ + /** @name PalletMultisigCall (191) */ interface PalletMultisigCall extends Enum { readonly isAsMultiThreshold1: boolean; readonly asAsMultiThreshold1: { @@ -2423,7 +2427,7 @@ declare module "@polkadot/types/lookup" { readonly type: "AsMultiThreshold1" | "AsMulti" | "ApproveAsMulti" | "CancelAsMulti"; } - /** @name PalletMoonbeamLazyMigrationsCall (192) */ + /** @name PalletMoonbeamLazyMigrationsCall (193) */ interface PalletMoonbeamLazyMigrationsCall extends Enum { readonly isClearSuicidedStorage: boolean; readonly asClearSuicidedStorage: { @@ -2437,7 +2441,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ClearSuicidedStorage" | "CreateContractMetadata"; } - /** @name PalletEvmCall (195) */ + /** @name PalletEvmCall (196) */ interface PalletEvmCall extends Enum { readonly isWithdraw: boolean; readonly asWithdraw: { @@ -2482,7 +2486,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Withdraw" | "Call" | "Create" | "Create2"; } - /** @name PalletEthereumCall (201) */ + /** @name PalletEthereumCall (202) */ interface PalletEthereumCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -2491,7 +2495,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Transact"; } - /** @name EthereumTransactionTransactionV2 (202) */ + /** @name EthereumTransactionTransactionV2 (203) */ interface EthereumTransactionTransactionV2 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumTransactionLegacyTransaction; @@ -2502,7 +2506,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumTransactionLegacyTransaction (203) */ + /** @name EthereumTransactionLegacyTransaction (204) */ interface EthereumTransactionLegacyTransaction extends Struct { readonly nonce: U256; readonly gasPrice: U256; @@ -2513,7 +2517,7 @@ declare module "@polkadot/types/lookup" { readonly signature: EthereumTransactionTransactionSignature; } - /** @name EthereumTransactionTransactionAction (204) */ + /** @name EthereumTransactionTransactionAction (205) */ interface EthereumTransactionTransactionAction extends Enum { readonly isCall: boolean; readonly asCall: H160; @@ -2521,14 +2525,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Call" | "Create"; } - /** @name EthereumTransactionTransactionSignature (205) */ + /** @name EthereumTransactionTransactionSignature (206) */ interface EthereumTransactionTransactionSignature extends Struct { readonly v: u64; readonly r: H256; readonly s: H256; } - /** @name EthereumTransactionEip2930Transaction (207) */ + /** @name EthereumTransactionEip2930Transaction (208) */ interface EthereumTransactionEip2930Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2543,13 +2547,13 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name EthereumTransactionAccessListItem (209) */ + /** @name EthereumTransactionAccessListItem (210) */ interface EthereumTransactionAccessListItem extends Struct { readonly address: H160; readonly storageKeys: Vec; } - /** @name EthereumTransactionEip1559Transaction (210) */ + /** @name EthereumTransactionEip1559Transaction (211) */ interface EthereumTransactionEip1559Transaction extends Struct { readonly chainId: u64; readonly nonce: U256; @@ -2565,7 +2569,7 @@ declare module "@polkadot/types/lookup" { readonly s: H256; } - /** @name PalletSchedulerCall (211) */ + /** @name PalletSchedulerCall (212) */ interface PalletSchedulerCall extends Enum { readonly isSchedule: boolean; readonly asSchedule: { @@ -2639,7 +2643,7 @@ declare module "@polkadot/types/lookup" { | "CancelRetryNamed"; } - /** @name PalletPreimageCall (213) */ + /** @name PalletPreimageCall (214) */ interface PalletPreimageCall extends Enum { readonly isNotePreimage: boolean; readonly asNotePreimage: { @@ -2669,7 +2673,7 @@ declare module "@polkadot/types/lookup" { | "EnsureUpdated"; } - /** @name PalletConvictionVotingCall (214) */ + /** @name PalletConvictionVotingCall (215) */ interface PalletConvictionVotingCall extends Enum { readonly isVote: boolean; readonly asVote: { @@ -2706,7 +2710,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Vote" | "Delegate" | "Undelegate" | "Unlock" | "RemoveVote" | "RemoveOtherVote"; } - /** @name PalletConvictionVotingVoteAccountVote (215) */ + /** @name PalletConvictionVotingVoteAccountVote (216) */ interface PalletConvictionVotingVoteAccountVote extends Enum { readonly isStandard: boolean; readonly asStandard: { @@ -2727,7 +2731,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Standard" | "Split" | "SplitAbstain"; } - /** @name PalletConvictionVotingConviction (217) */ + /** @name PalletConvictionVotingConviction (218) */ interface PalletConvictionVotingConviction extends Enum { readonly isNone: boolean; readonly isLocked1x: boolean; @@ -2746,7 +2750,7 @@ declare module "@polkadot/types/lookup" { | "Locked6x"; } - /** @name PalletReferendaCall (219) */ + /** @name PalletReferendaCall (220) */ interface PalletReferendaCall extends Enum { readonly isSubmit: boolean; readonly asSubmit: { @@ -2799,7 +2803,7 @@ declare module "@polkadot/types/lookup" { | "SetMetadata"; } - /** @name FrameSupportScheduleDispatchTime (220) */ + /** @name FrameSupportScheduleDispatchTime (221) */ interface FrameSupportScheduleDispatchTime extends Enum { readonly isAt: boolean; readonly asAt: u32; @@ -2808,7 +2812,7 @@ declare module "@polkadot/types/lookup" { readonly type: "At" | "After"; } - /** @name PalletWhitelistCall (222) */ + /** @name PalletWhitelistCall (223) */ interface PalletWhitelistCall extends Enum { readonly isWhitelistCall: boolean; readonly asWhitelistCall: { @@ -2835,7 +2839,7 @@ declare module "@polkadot/types/lookup" { | "DispatchWhitelistedCallWithPreimage"; } - /** @name PalletCollectiveCall (223) */ + /** @name PalletCollectiveCall (224) */ interface PalletCollectiveCall extends Enum { readonly isSetMembers: boolean; readonly asSetMembers: { @@ -2874,7 +2878,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SetMembers" | "Execute" | "Propose" | "Vote" | "DisapproveProposal" | "Close"; } - /** @name PalletTreasuryCall (225) */ + /** @name PalletTreasuryCall (226) */ interface PalletTreasuryCall extends Enum { readonly isProposeSpend: boolean; readonly asProposeSpend: { @@ -2929,7 +2933,7 @@ declare module "@polkadot/types/lookup" { | "VoidSpend"; } - /** @name PalletCrowdloanRewardsCall (227) */ + /** @name PalletCrowdloanRewardsCall (228) */ interface PalletCrowdloanRewardsCall extends Enum { readonly isAssociateNativeIdentity: boolean; readonly asAssociateNativeIdentity: { @@ -2965,7 +2969,7 @@ declare module "@polkadot/types/lookup" { | "InitializeRewardVec"; } - /** @name SpRuntimeMultiSignature (228) */ + /** @name SpRuntimeMultiSignature (229) */ interface SpRuntimeMultiSignature extends Enum { readonly isEd25519: boolean; readonly asEd25519: U8aFixed; @@ -2976,10 +2980,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Ed25519" | "Sr25519" | "Ecdsa"; } - /** @name CumulusPalletDmpQueueCall (234) */ + /** @name CumulusPalletDmpQueueCall (235) */ type CumulusPalletDmpQueueCall = Null; - /** @name PalletXcmCall (235) */ + /** @name PalletXcmCall (236) */ interface PalletXcmCall extends Enum { readonly isSend: boolean; readonly asSend: { @@ -3082,7 +3086,7 @@ declare module "@polkadot/types/lookup" { | "TransferAssetsUsingTypeAndThen"; } - /** @name XcmVersionedLocation (236) */ + /** @name XcmVersionedLocation (237) */ interface XcmVersionedLocation extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiLocation; @@ -3093,13 +3097,13 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2MultiLocation (237) */ + /** @name XcmV2MultiLocation (238) */ interface XcmV2MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV2MultilocationJunctions; } - /** @name XcmV2MultilocationJunctions (238) */ + /** @name XcmV2MultilocationJunctions (239) */ interface XcmV2MultilocationJunctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3146,7 +3150,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV2Junction (239) */ + /** @name XcmV2Junction (240) */ interface XcmV2Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3189,7 +3193,7 @@ declare module "@polkadot/types/lookup" { | "Plurality"; } - /** @name XcmV2NetworkId (240) */ + /** @name XcmV2NetworkId (241) */ interface XcmV2NetworkId extends Enum { readonly isAny: boolean; readonly isNamed: boolean; @@ -3199,7 +3203,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Any" | "Named" | "Polkadot" | "Kusama"; } - /** @name XcmV2BodyId (242) */ + /** @name XcmV2BodyId (243) */ interface XcmV2BodyId extends Enum { readonly isUnit: boolean; readonly isNamed: boolean; @@ -3226,7 +3230,7 @@ declare module "@polkadot/types/lookup" { | "Treasury"; } - /** @name XcmV2BodyPart (243) */ + /** @name XcmV2BodyPart (244) */ interface XcmV2BodyPart extends Enum { readonly isVoice: boolean; readonly isMembers: boolean; @@ -3251,13 +3255,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Voice" | "Members" | "Fraction" | "AtLeastProportion" | "MoreThanProportion"; } - /** @name StagingXcmV3MultiLocation (244) */ + /** @name StagingXcmV3MultiLocation (245) */ interface StagingXcmV3MultiLocation extends Struct { readonly parents: u8; readonly interior: XcmV3Junctions; } - /** @name XcmV3Junctions (245) */ + /** @name XcmV3Junctions (246) */ interface XcmV3Junctions extends Enum { readonly isHere: boolean; readonly isX1: boolean; @@ -3304,7 +3308,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "X1" | "X2" | "X3" | "X4" | "X5" | "X6" | "X7" | "X8"; } - /** @name XcmV3Junction (246) */ + /** @name XcmV3Junction (247) */ interface XcmV3Junction extends Enum { readonly isParachain: boolean; readonly asParachain: Compact; @@ -3353,7 +3357,7 @@ declare module "@polkadot/types/lookup" { | "GlobalConsensus"; } - /** @name XcmV3JunctionNetworkId (248) */ + /** @name XcmV3JunctionNetworkId (249) */ interface XcmV3JunctionNetworkId extends Enum { readonly isByGenesis: boolean; readonly asByGenesis: U8aFixed; @@ -3388,7 +3392,7 @@ declare module "@polkadot/types/lookup" { | "PolkadotBulletin"; } - /** @name XcmVersionedXcm (249) */ + /** @name XcmVersionedXcm (250) */ interface XcmVersionedXcm extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Xcm; @@ -3399,10 +3403,10 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name XcmV2Xcm (250) */ + /** @name XcmV2Xcm (251) */ interface XcmV2Xcm extends Vec {} - /** @name XcmV2Instruction (252) */ + /** @name XcmV2Instruction (253) */ interface XcmV2Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV2MultiassetMultiAssets; @@ -3550,16 +3554,16 @@ declare module "@polkadot/types/lookup" { | "UnsubscribeVersion"; } - /** @name XcmV2MultiassetMultiAssets (253) */ + /** @name XcmV2MultiassetMultiAssets (254) */ interface XcmV2MultiassetMultiAssets extends Vec {} - /** @name XcmV2MultiAsset (255) */ + /** @name XcmV2MultiAsset (256) */ interface XcmV2MultiAsset extends Struct { readonly id: XcmV2MultiassetAssetId; readonly fun: XcmV2MultiassetFungibility; } - /** @name XcmV2MultiassetAssetId (256) */ + /** @name XcmV2MultiassetAssetId (257) */ interface XcmV2MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: XcmV2MultiLocation; @@ -3568,7 +3572,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV2MultiassetFungibility (257) */ + /** @name XcmV2MultiassetFungibility (258) */ interface XcmV2MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3577,7 +3581,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2MultiassetAssetInstance (258) */ + /** @name XcmV2MultiassetAssetInstance (259) */ interface XcmV2MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3595,7 +3599,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32" | "Blob"; } - /** @name XcmV2Response (259) */ + /** @name XcmV2Response (260) */ interface XcmV2Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -3607,7 +3611,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Null" | "Assets" | "ExecutionResult" | "Version"; } - /** @name XcmV2TraitsError (262) */ + /** @name XcmV2TraitsError (263) */ interface XcmV2TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -3666,7 +3670,7 @@ declare module "@polkadot/types/lookup" { | "WeightNotComputable"; } - /** @name XcmV2OriginKind (263) */ + /** @name XcmV2OriginKind (264) */ interface XcmV2OriginKind extends Enum { readonly isNative: boolean; readonly isSovereignAccount: boolean; @@ -3675,12 +3679,12 @@ declare module "@polkadot/types/lookup" { readonly type: "Native" | "SovereignAccount" | "Superuser" | "Xcm"; } - /** @name XcmDoubleEncoded (264) */ + /** @name XcmDoubleEncoded (265) */ interface XcmDoubleEncoded extends Struct { readonly encoded: Bytes; } - /** @name XcmV2MultiassetMultiAssetFilter (265) */ + /** @name XcmV2MultiassetMultiAssetFilter (266) */ interface XcmV2MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV2MultiassetMultiAssets; @@ -3689,7 +3693,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV2MultiassetWildMultiAsset (266) */ + /** @name XcmV2MultiassetWildMultiAsset (267) */ interface XcmV2MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -3700,14 +3704,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf"; } - /** @name XcmV2MultiassetWildFungibility (267) */ + /** @name XcmV2MultiassetWildFungibility (268) */ interface XcmV2MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV2WeightLimit (268) */ + /** @name XcmV2WeightLimit (269) */ interface XcmV2WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -3715,10 +3719,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name XcmV3Xcm (269) */ + /** @name XcmV3Xcm (270) */ interface XcmV3Xcm extends Vec {} - /** @name XcmV3Instruction (271) */ + /** @name XcmV3Instruction (272) */ interface XcmV3Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: XcmV3MultiassetMultiAssets; @@ -3948,16 +3952,16 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name XcmV3MultiassetMultiAssets (272) */ + /** @name XcmV3MultiassetMultiAssets (273) */ interface XcmV3MultiassetMultiAssets extends Vec {} - /** @name XcmV3MultiAsset (274) */ + /** @name XcmV3MultiAsset (275) */ interface XcmV3MultiAsset extends Struct { readonly id: XcmV3MultiassetAssetId; readonly fun: XcmV3MultiassetFungibility; } - /** @name XcmV3MultiassetAssetId (275) */ + /** @name XcmV3MultiassetAssetId (276) */ interface XcmV3MultiassetAssetId extends Enum { readonly isConcrete: boolean; readonly asConcrete: StagingXcmV3MultiLocation; @@ -3966,7 +3970,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Concrete" | "Abstract"; } - /** @name XcmV3MultiassetFungibility (276) */ + /** @name XcmV3MultiassetFungibility (277) */ interface XcmV3MultiassetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -3975,7 +3979,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3MultiassetAssetInstance (277) */ + /** @name XcmV3MultiassetAssetInstance (278) */ interface XcmV3MultiassetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -3991,7 +3995,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name XcmV3Response (278) */ + /** @name XcmV3Response (279) */ interface XcmV3Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4013,7 +4017,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name XcmV3TraitsError (281) */ + /** @name XcmV3TraitsError (282) */ interface XcmV3TraitsError extends Enum { readonly isOverflow: boolean; readonly isUnimplemented: boolean; @@ -4100,7 +4104,7 @@ declare module "@polkadot/types/lookup" { | "ExceedsStackLimit"; } - /** @name XcmV3PalletInfo (283) */ + /** @name XcmV3PalletInfo (284) */ interface XcmV3PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4110,7 +4114,7 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name XcmV3MaybeErrorCode (286) */ + /** @name XcmV3MaybeErrorCode (287) */ interface XcmV3MaybeErrorCode extends Enum { readonly isSuccess: boolean; readonly isError: boolean; @@ -4120,14 +4124,14 @@ declare module "@polkadot/types/lookup" { readonly type: "Success" | "Error" | "TruncatedError"; } - /** @name XcmV3QueryResponseInfo (289) */ + /** @name XcmV3QueryResponseInfo (290) */ interface XcmV3QueryResponseInfo extends Struct { readonly destination: StagingXcmV3MultiLocation; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name XcmV3MultiassetMultiAssetFilter (290) */ + /** @name XcmV3MultiassetMultiAssetFilter (291) */ interface XcmV3MultiassetMultiAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: XcmV3MultiassetMultiAssets; @@ -4136,7 +4140,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name XcmV3MultiassetWildMultiAsset (291) */ + /** @name XcmV3MultiassetWildMultiAsset (292) */ interface XcmV3MultiassetWildMultiAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4155,14 +4159,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name XcmV3MultiassetWildFungibility (292) */ + /** @name XcmV3MultiassetWildFungibility (293) */ interface XcmV3MultiassetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmV3WeightLimit (293) */ + /** @name XcmV3WeightLimit (294) */ interface XcmV3WeightLimit extends Enum { readonly isUnlimited: boolean; readonly isLimited: boolean; @@ -4170,10 +4174,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Unlimited" | "Limited"; } - /** @name StagingXcmV4Xcm (294) */ + /** @name StagingXcmV4Xcm (295) */ interface StagingXcmV4Xcm extends Vec {} - /** @name StagingXcmV4Instruction (296) */ + /** @name StagingXcmV4Instruction (297) */ interface StagingXcmV4Instruction extends Enum { readonly isWithdrawAsset: boolean; readonly asWithdrawAsset: StagingXcmV4AssetAssets; @@ -4403,19 +4407,19 @@ declare module "@polkadot/types/lookup" { | "UnpaidExecution"; } - /** @name StagingXcmV4AssetAssets (297) */ + /** @name StagingXcmV4AssetAssets (298) */ interface StagingXcmV4AssetAssets extends Vec {} - /** @name StagingXcmV4Asset (299) */ + /** @name StagingXcmV4Asset (300) */ interface StagingXcmV4Asset extends Struct { readonly id: StagingXcmV4AssetAssetId; readonly fun: StagingXcmV4AssetFungibility; } - /** @name StagingXcmV4AssetAssetId (300) */ + /** @name StagingXcmV4AssetAssetId (301) */ interface StagingXcmV4AssetAssetId extends StagingXcmV4Location {} - /** @name StagingXcmV4AssetFungibility (301) */ + /** @name StagingXcmV4AssetFungibility (302) */ interface StagingXcmV4AssetFungibility extends Enum { readonly isFungible: boolean; readonly asFungible: Compact; @@ -4424,7 +4428,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Fungible" | "NonFungible"; } - /** @name StagingXcmV4AssetAssetInstance (302) */ + /** @name StagingXcmV4AssetAssetInstance (303) */ interface StagingXcmV4AssetAssetInstance extends Enum { readonly isUndefined: boolean; readonly isIndex: boolean; @@ -4440,7 +4444,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Undefined" | "Index" | "Array4" | "Array8" | "Array16" | "Array32"; } - /** @name StagingXcmV4Response (303) */ + /** @name StagingXcmV4Response (304) */ interface StagingXcmV4Response extends Enum { readonly isNull: boolean; readonly isAssets: boolean; @@ -4462,7 +4466,7 @@ declare module "@polkadot/types/lookup" { | "DispatchResult"; } - /** @name StagingXcmV4PalletInfo (305) */ + /** @name StagingXcmV4PalletInfo (306) */ interface StagingXcmV4PalletInfo extends Struct { readonly index: Compact; readonly name: Bytes; @@ -4472,14 +4476,14 @@ declare module "@polkadot/types/lookup" { readonly patch: Compact; } - /** @name StagingXcmV4QueryResponseInfo (309) */ + /** @name StagingXcmV4QueryResponseInfo (310) */ interface StagingXcmV4QueryResponseInfo extends Struct { readonly destination: StagingXcmV4Location; readonly queryId: Compact; readonly maxWeight: SpWeightsWeightV2Weight; } - /** @name StagingXcmV4AssetAssetFilter (310) */ + /** @name StagingXcmV4AssetAssetFilter (311) */ interface StagingXcmV4AssetAssetFilter extends Enum { readonly isDefinite: boolean; readonly asDefinite: StagingXcmV4AssetAssets; @@ -4488,7 +4492,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Definite" | "Wild"; } - /** @name StagingXcmV4AssetWildAsset (311) */ + /** @name StagingXcmV4AssetWildAsset (312) */ interface StagingXcmV4AssetWildAsset extends Enum { readonly isAll: boolean; readonly isAllOf: boolean; @@ -4507,14 +4511,14 @@ declare module "@polkadot/types/lookup" { readonly type: "All" | "AllOf" | "AllCounted" | "AllOfCounted"; } - /** @name StagingXcmV4AssetWildFungibility (312) */ + /** @name StagingXcmV4AssetWildFungibility (313) */ interface StagingXcmV4AssetWildFungibility extends Enum { readonly isFungible: boolean; readonly isNonFungible: boolean; readonly type: "Fungible" | "NonFungible"; } - /** @name XcmVersionedAssets (313) */ + /** @name XcmVersionedAssets (314) */ interface XcmVersionedAssets extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiassetMultiAssets; @@ -4525,7 +4529,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name StagingXcmExecutorAssetTransferTransferType (325) */ + /** @name StagingXcmExecutorAssetTransferTransferType (326) */ interface StagingXcmExecutorAssetTransferTransferType extends Enum { readonly isTeleport: boolean; readonly isLocalReserve: boolean; @@ -4535,7 +4539,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Teleport" | "LocalReserve" | "DestinationReserve" | "RemoteReserve"; } - /** @name XcmVersionedAssetId (326) */ + /** @name XcmVersionedAssetId (327) */ interface XcmVersionedAssetId extends Enum { readonly isV3: boolean; readonly asV3: XcmV3MultiassetAssetId; @@ -4544,7 +4548,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V3" | "V4"; } - /** @name PalletAssetsCall (327) */ + /** @name PalletAssetsCall (328) */ interface PalletAssetsCall extends Enum { readonly isCreate: boolean; readonly asCreate: { @@ -4758,7 +4762,7 @@ declare module "@polkadot/types/lookup" { | "Block"; } - /** @name PalletAssetManagerCall (328) */ + /** @name PalletAssetManagerCall (329) */ interface PalletAssetManagerCall extends Enum { readonly isRegisterForeignAsset: boolean; readonly asRegisterForeignAsset: { @@ -4790,14 +4794,14 @@ declare module "@polkadot/types/lookup" { | "DestroyForeignAsset"; } - /** @name MoonriverRuntimeXcmConfigAssetType (329) */ + /** @name MoonriverRuntimeXcmConfigAssetType (330) */ interface MoonriverRuntimeXcmConfigAssetType extends Enum { readonly isXcm: boolean; readonly asXcm: StagingXcmV3MultiLocation; readonly type: "Xcm"; } - /** @name MoonriverRuntimeAssetConfigAssetRegistrarMetadata (330) */ + /** @name MoonriverRuntimeAssetConfigAssetRegistrarMetadata (331) */ interface MoonriverRuntimeAssetConfigAssetRegistrarMetadata extends Struct { readonly name: Bytes; readonly symbol: Bytes; @@ -4805,7 +4809,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name OrmlXtokensModuleCall (331) */ + /** @name OrmlXtokensModuleCall (332) */ interface OrmlXtokensModuleCall extends Enum { readonly isTransfer: boolean; readonly asTransfer: { @@ -4858,7 +4862,7 @@ declare module "@polkadot/types/lookup" { | "TransferMultiassets"; } - /** @name MoonriverRuntimeXcmConfigCurrencyId (332) */ + /** @name MoonriverRuntimeXcmConfigCurrencyId (333) */ interface MoonriverRuntimeXcmConfigCurrencyId extends Enum { readonly isSelfReserve: boolean; readonly isForeignAsset: boolean; @@ -4870,7 +4874,7 @@ declare module "@polkadot/types/lookup" { readonly type: "SelfReserve" | "ForeignAsset" | "Erc20"; } - /** @name XcmVersionedAsset (333) */ + /** @name XcmVersionedAsset (334) */ interface XcmVersionedAsset extends Enum { readonly isV2: boolean; readonly asV2: XcmV2MultiAsset; @@ -4881,7 +4885,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmTransactorCall (336) */ + /** @name PalletXcmTransactorCall (337) */ interface PalletXcmTransactorCall extends Enum { readonly isRegister: boolean; readonly asRegister: { @@ -4958,19 +4962,19 @@ declare module "@polkadot/types/lookup" { | "HrmpManage"; } - /** @name MoonriverRuntimeXcmConfigTransactors (337) */ + /** @name MoonriverRuntimeXcmConfigTransactors (338) */ interface MoonriverRuntimeXcmConfigTransactors extends Enum { readonly isRelay: boolean; readonly type: "Relay"; } - /** @name PalletXcmTransactorCurrencyPayment (338) */ + /** @name PalletXcmTransactorCurrencyPayment (339) */ interface PalletXcmTransactorCurrencyPayment extends Struct { readonly currency: PalletXcmTransactorCurrency; readonly feeAmount: Option; } - /** @name PalletXcmTransactorCurrency (339) */ + /** @name PalletXcmTransactorCurrency (340) */ interface PalletXcmTransactorCurrency extends Enum { readonly isAsCurrencyId: boolean; readonly asAsCurrencyId: MoonriverRuntimeXcmConfigCurrencyId; @@ -4979,13 +4983,13 @@ declare module "@polkadot/types/lookup" { readonly type: "AsCurrencyId" | "AsMultiLocation"; } - /** @name PalletXcmTransactorTransactWeights (341) */ + /** @name PalletXcmTransactorTransactWeights (342) */ interface PalletXcmTransactorTransactWeights extends Struct { readonly transactRequiredWeightAtMost: SpWeightsWeightV2Weight; readonly overallWeight: Option; } - /** @name PalletXcmTransactorHrmpOperation (344) */ + /** @name PalletXcmTransactorHrmpOperation (345) */ interface PalletXcmTransactorHrmpOperation extends Enum { readonly isInitOpen: boolean; readonly asInitOpen: PalletXcmTransactorHrmpInitParams; @@ -5003,20 +5007,20 @@ declare module "@polkadot/types/lookup" { readonly type: "InitOpen" | "Accept" | "Close" | "Cancel"; } - /** @name PalletXcmTransactorHrmpInitParams (345) */ + /** @name PalletXcmTransactorHrmpInitParams (346) */ interface PalletXcmTransactorHrmpInitParams extends Struct { readonly paraId: u32; readonly proposedMaxCapacity: u32; readonly proposedMaxMessageSize: u32; } - /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (346) */ + /** @name PolkadotParachainPrimitivesPrimitivesHrmpChannelId (347) */ interface PolkadotParachainPrimitivesPrimitivesHrmpChannelId extends Struct { readonly sender: u32; readonly recipient: u32; } - /** @name PalletEthereumXcmCall (347) */ + /** @name PalletEthereumXcmCall (348) */ interface PalletEthereumXcmCall extends Enum { readonly isTransact: boolean; readonly asTransact: { @@ -5043,7 +5047,7 @@ declare module "@polkadot/types/lookup" { | "ForceTransactAs"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (348) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransaction (349) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransaction extends Enum { readonly isV1: boolean; readonly asV1: XcmPrimitivesEthereumXcmEthereumXcmTransactionV1; @@ -5052,7 +5056,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V1" | "V2"; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (349) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 (350) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV1 extends Struct { readonly gasLimit: U256; readonly feePayment: XcmPrimitivesEthereumXcmEthereumXcmFee; @@ -5062,7 +5066,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (350) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmFee (351) */ interface XcmPrimitivesEthereumXcmEthereumXcmFee extends Enum { readonly isManual: boolean; readonly asManual: XcmPrimitivesEthereumXcmManualEthereumXcmFee; @@ -5070,13 +5074,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Manual" | "Auto"; } - /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (351) */ + /** @name XcmPrimitivesEthereumXcmManualEthereumXcmFee (352) */ interface XcmPrimitivesEthereumXcmManualEthereumXcmFee extends Struct { readonly gasPrice: Option; readonly maxFeePerGas: Option; } - /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (354) */ + /** @name XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 (355) */ interface XcmPrimitivesEthereumXcmEthereumXcmTransactionV2 extends Struct { readonly gasLimit: U256; readonly action: EthereumTransactionTransactionAction; @@ -5085,7 +5089,7 @@ declare module "@polkadot/types/lookup" { readonly accessList: Option]>>>; } - /** @name PalletMessageQueueCall (356) */ + /** @name PalletMessageQueueCall (357) */ interface PalletMessageQueueCall extends Enum { readonly isReapPage: boolean; readonly asReapPage: { @@ -5102,7 +5106,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ReapPage" | "ExecuteOverweight"; } - /** @name CumulusPrimitivesCoreAggregateMessageOrigin (357) */ + /** @name CumulusPrimitivesCoreAggregateMessageOrigin (358) */ interface CumulusPrimitivesCoreAggregateMessageOrigin extends Enum { readonly isHere: boolean; readonly isParent: boolean; @@ -5111,7 +5115,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Here" | "Parent" | "Sibling"; } - /** @name PalletMoonbeamForeignAssetsCall (358) */ + /** @name PalletMoonbeamForeignAssetsCall (359) */ interface PalletMoonbeamForeignAssetsCall extends Enum { readonly isCreateForeignAsset: boolean; readonly asCreateForeignAsset: { @@ -5142,7 +5146,7 @@ declare module "@polkadot/types/lookup" { | "UnfreezeForeignAsset"; } - /** @name PalletXcmWeightTraderCall (360) */ + /** @name PalletXcmWeightTraderCall (361) */ interface PalletXcmWeightTraderCall extends Enum { readonly isAddAsset: boolean; readonly asAddAsset: { @@ -5174,7 +5178,7 @@ declare module "@polkadot/types/lookup" { | "RemoveAsset"; } - /** @name PalletEmergencyParaXcmCall (361) */ + /** @name PalletEmergencyParaXcmCall (362) */ interface PalletEmergencyParaXcmCall extends Enum { readonly isPausedToNormal: boolean; readonly isFastAuthorizeUpgrade: boolean; @@ -5184,23 +5188,23 @@ declare module "@polkadot/types/lookup" { readonly type: "PausedToNormal" | "FastAuthorizeUpgrade"; } - /** @name PalletRandomnessCall (362) */ + /** @name PalletRandomnessCall (363) */ interface PalletRandomnessCall extends Enum { readonly isSetBabeRandomnessResults: boolean; readonly type: "SetBabeRandomnessResults"; } - /** @name SpRuntimeBlakeTwo256 (363) */ + /** @name SpRuntimeBlakeTwo256 (364) */ type SpRuntimeBlakeTwo256 = Null; - /** @name PalletConvictionVotingTally (365) */ + /** @name PalletConvictionVotingTally (366) */ interface PalletConvictionVotingTally extends Struct { readonly ayes: u128; readonly nays: u128; readonly support: u128; } - /** @name PalletWhitelistEvent (366) */ + /** @name PalletWhitelistEvent (367) */ interface PalletWhitelistEvent extends Enum { readonly isCallWhitelisted: boolean; readonly asCallWhitelisted: { @@ -5221,19 +5225,19 @@ declare module "@polkadot/types/lookup" { readonly type: "CallWhitelisted" | "WhitelistedCallRemoved" | "WhitelistedCallDispatched"; } - /** @name FrameSupportDispatchPostDispatchInfo (368) */ + /** @name FrameSupportDispatchPostDispatchInfo (369) */ interface FrameSupportDispatchPostDispatchInfo extends Struct { readonly actualWeight: Option; readonly paysFee: FrameSupportDispatchPays; } - /** @name SpRuntimeDispatchErrorWithPostInfo (369) */ + /** @name SpRuntimeDispatchErrorWithPostInfo (370) */ interface SpRuntimeDispatchErrorWithPostInfo extends Struct { readonly postInfo: FrameSupportDispatchPostDispatchInfo; readonly error: SpRuntimeDispatchError; } - /** @name PalletCollectiveEvent (370) */ + /** @name PalletCollectiveEvent (371) */ interface PalletCollectiveEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5284,7 +5288,7 @@ declare module "@polkadot/types/lookup" { | "Closed"; } - /** @name PalletTreasuryEvent (372) */ + /** @name PalletTreasuryEvent (373) */ interface PalletTreasuryEvent extends Enum { readonly isProposed: boolean; readonly asProposed: { @@ -5372,7 +5376,7 @@ declare module "@polkadot/types/lookup" { | "SpendProcessed"; } - /** @name PalletCrowdloanRewardsEvent (373) */ + /** @name PalletCrowdloanRewardsEvent (374) */ interface PalletCrowdloanRewardsEvent extends Enum { readonly isInitialPaymentMade: boolean; readonly asInitialPaymentMade: ITuple<[AccountId20, u128]>; @@ -5397,7 +5401,7 @@ declare module "@polkadot/types/lookup" { | "InitializedAccountWithNotEnoughContribution"; } - /** @name CumulusPalletXcmpQueueEvent (374) */ + /** @name CumulusPalletXcmpQueueEvent (375) */ interface CumulusPalletXcmpQueueEvent extends Enum { readonly isXcmpMessageSent: boolean; readonly asXcmpMessageSent: { @@ -5406,7 +5410,7 @@ declare module "@polkadot/types/lookup" { readonly type: "XcmpMessageSent"; } - /** @name CumulusPalletXcmEvent (375) */ + /** @name CumulusPalletXcmEvent (376) */ interface CumulusPalletXcmEvent extends Enum { readonly isInvalidFormat: boolean; readonly asInvalidFormat: U8aFixed; @@ -5417,7 +5421,7 @@ declare module "@polkadot/types/lookup" { readonly type: "InvalidFormat" | "UnsupportedVersion" | "ExecutedDownward"; } - /** @name StagingXcmV4TraitsOutcome (376) */ + /** @name StagingXcmV4TraitsOutcome (377) */ interface StagingXcmV4TraitsOutcome extends Enum { readonly isComplete: boolean; readonly asComplete: { @@ -5435,7 +5439,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Complete" | "Incomplete" | "Error"; } - /** @name CumulusPalletDmpQueueEvent (377) */ + /** @name CumulusPalletDmpQueueEvent (378) */ interface CumulusPalletDmpQueueEvent extends Enum { readonly isStartedExport: boolean; readonly isExported: boolean; @@ -5480,7 +5484,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmEvent (378) */ + /** @name PalletXcmEvent (379) */ interface PalletXcmEvent extends Enum { readonly isAttempted: boolean; readonly asAttempted: { @@ -5645,7 +5649,7 @@ declare module "@polkadot/types/lookup" { | "VersionMigrationFinished"; } - /** @name PalletAssetsEvent (379) */ + /** @name PalletAssetsEvent (380) */ interface PalletAssetsEvent extends Enum { readonly isCreated: boolean; readonly asCreated: { @@ -5807,7 +5811,7 @@ declare module "@polkadot/types/lookup" { | "Blocked"; } - /** @name PalletAssetManagerEvent (380) */ + /** @name PalletAssetManagerEvent (381) */ interface PalletAssetManagerEvent extends Enum { readonly isForeignAssetRegistered: boolean; readonly asForeignAssetRegistered: { @@ -5849,7 +5853,7 @@ declare module "@polkadot/types/lookup" { | "LocalAssetDestroyed"; } - /** @name OrmlXtokensModuleEvent (381) */ + /** @name OrmlXtokensModuleEvent (382) */ interface OrmlXtokensModuleEvent extends Enum { readonly isTransferredAssets: boolean; readonly asTransferredAssets: { @@ -5861,7 +5865,7 @@ declare module "@polkadot/types/lookup" { readonly type: "TransferredAssets"; } - /** @name PalletXcmTransactorEvent (382) */ + /** @name PalletXcmTransactorEvent (383) */ interface PalletXcmTransactorEvent extends Enum { readonly isTransactedDerivative: boolean; readonly asTransactedDerivative: { @@ -5931,14 +5935,14 @@ declare module "@polkadot/types/lookup" { | "HrmpManagementSent"; } - /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (383) */ + /** @name PalletXcmTransactorRemoteTransactInfoWithMaxWeight (384) */ interface PalletXcmTransactorRemoteTransactInfoWithMaxWeight extends Struct { readonly transactExtraWeight: SpWeightsWeightV2Weight; readonly maxWeight: SpWeightsWeightV2Weight; readonly transactExtraWeightSigned: Option; } - /** @name PalletEthereumXcmEvent (384) */ + /** @name PalletEthereumXcmEvent (385) */ interface PalletEthereumXcmEvent extends Enum { readonly isExecutedFromXcm: boolean; readonly asExecutedFromXcm: { @@ -5948,7 +5952,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ExecutedFromXcm"; } - /** @name PalletMessageQueueEvent (385) */ + /** @name PalletMessageQueueEvent (386) */ interface PalletMessageQueueEvent extends Enum { readonly isProcessingFailed: boolean; readonly asProcessingFailed: { @@ -5978,7 +5982,7 @@ declare module "@polkadot/types/lookup" { readonly type: "ProcessingFailed" | "Processed" | "OverweightEnqueued" | "PageReaped"; } - /** @name FrameSupportMessagesProcessMessageError (386) */ + /** @name FrameSupportMessagesProcessMessageError (387) */ interface FrameSupportMessagesProcessMessageError extends Enum { readonly isBadFormat: boolean; readonly isCorrupt: boolean; @@ -5989,7 +5993,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadFormat" | "Corrupt" | "Unsupported" | "Overweight" | "Yield"; } - /** @name PalletMoonbeamForeignAssetsEvent (387) */ + /** @name PalletMoonbeamForeignAssetsEvent (388) */ interface PalletMoonbeamForeignAssetsEvent extends Enum { readonly isForeignAssetCreated: boolean; readonly asForeignAssetCreated: { @@ -6019,7 +6023,7 @@ declare module "@polkadot/types/lookup" { | "ForeignAssetUnfrozen"; } - /** @name PalletXcmWeightTraderEvent (388) */ + /** @name PalletXcmWeightTraderEvent (389) */ interface PalletXcmWeightTraderEvent extends Enum { readonly isSupportedAssetAdded: boolean; readonly asSupportedAssetAdded: { @@ -6051,14 +6055,14 @@ declare module "@polkadot/types/lookup" { | "SupportedAssetRemoved"; } - /** @name PalletEmergencyParaXcmEvent (389) */ + /** @name PalletEmergencyParaXcmEvent (390) */ interface PalletEmergencyParaXcmEvent extends Enum { readonly isEnteredPausedXcmMode: boolean; readonly isNormalXcmOperationResumed: boolean; readonly type: "EnteredPausedXcmMode" | "NormalXcmOperationResumed"; } - /** @name PalletRandomnessEvent (390) */ + /** @name PalletRandomnessEvent (391) */ interface PalletRandomnessEvent extends Enum { readonly isRandomnessRequestedBabeEpoch: boolean; readonly asRandomnessRequestedBabeEpoch: { @@ -6103,7 +6107,7 @@ declare module "@polkadot/types/lookup" { | "RequestExpirationExecuted"; } - /** @name FrameSystemPhase (391) */ + /** @name FrameSystemPhase (392) */ interface FrameSystemPhase extends Enum { readonly isApplyExtrinsic: boolean; readonly asApplyExtrinsic: u32; @@ -6112,33 +6116,33 @@ declare module "@polkadot/types/lookup" { readonly type: "ApplyExtrinsic" | "Finalization" | "Initialization"; } - /** @name FrameSystemLastRuntimeUpgradeInfo (393) */ + /** @name FrameSystemLastRuntimeUpgradeInfo (394) */ interface FrameSystemLastRuntimeUpgradeInfo extends Struct { readonly specVersion: Compact; readonly specName: Text; } - /** @name FrameSystemCodeUpgradeAuthorization (394) */ + /** @name FrameSystemCodeUpgradeAuthorization (395) */ interface FrameSystemCodeUpgradeAuthorization extends Struct { readonly codeHash: H256; readonly checkVersion: bool; } - /** @name FrameSystemLimitsBlockWeights (395) */ + /** @name FrameSystemLimitsBlockWeights (396) */ interface FrameSystemLimitsBlockWeights extends Struct { readonly baseBlock: SpWeightsWeightV2Weight; readonly maxBlock: SpWeightsWeightV2Weight; readonly perClass: FrameSupportDispatchPerDispatchClassWeightsPerClass; } - /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (396) */ + /** @name FrameSupportDispatchPerDispatchClassWeightsPerClass (397) */ interface FrameSupportDispatchPerDispatchClassWeightsPerClass extends Struct { readonly normal: FrameSystemLimitsWeightsPerClass; readonly operational: FrameSystemLimitsWeightsPerClass; readonly mandatory: FrameSystemLimitsWeightsPerClass; } - /** @name FrameSystemLimitsWeightsPerClass (397) */ + /** @name FrameSystemLimitsWeightsPerClass (398) */ interface FrameSystemLimitsWeightsPerClass extends Struct { readonly baseExtrinsic: SpWeightsWeightV2Weight; readonly maxExtrinsic: Option; @@ -6146,25 +6150,25 @@ declare module "@polkadot/types/lookup" { readonly reserved: Option; } - /** @name FrameSystemLimitsBlockLength (398) */ + /** @name FrameSystemLimitsBlockLength (399) */ interface FrameSystemLimitsBlockLength extends Struct { readonly max: FrameSupportDispatchPerDispatchClassU32; } - /** @name FrameSupportDispatchPerDispatchClassU32 (399) */ + /** @name FrameSupportDispatchPerDispatchClassU32 (400) */ interface FrameSupportDispatchPerDispatchClassU32 extends Struct { readonly normal: u32; readonly operational: u32; readonly mandatory: u32; } - /** @name SpWeightsRuntimeDbWeight (400) */ + /** @name SpWeightsRuntimeDbWeight (401) */ interface SpWeightsRuntimeDbWeight extends Struct { readonly read: u64; readonly write: u64; } - /** @name SpVersionRuntimeVersion (401) */ + /** @name SpVersionRuntimeVersion (402) */ interface SpVersionRuntimeVersion extends Struct { readonly specName: Text; readonly implName: Text; @@ -6176,7 +6180,7 @@ declare module "@polkadot/types/lookup" { readonly stateVersion: u8; } - /** @name FrameSystemError (405) */ + /** @name FrameSystemError (406) */ interface FrameSystemError extends Enum { readonly isInvalidSpecName: boolean; readonly isSpecVersionNeedsToIncrease: boolean; @@ -6199,14 +6203,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (407) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentAncestor (408) */ interface CumulusPalletParachainSystemUnincludedSegmentAncestor extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly paraHeadHash: Option; readonly consumedGoAheadSignal: Option; } - /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (408) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth (409) */ interface CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth extends Struct { readonly umpMsgCount: u32; readonly umpTotalBytes: u32; @@ -6216,33 +6220,33 @@ declare module "@polkadot/types/lookup" { >; } - /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (410) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate (411) */ interface CumulusPalletParachainSystemUnincludedSegmentHrmpChannelUpdate extends Struct { readonly msgCount: u32; readonly totalBytes: u32; } - /** @name PolkadotPrimitivesV7UpgradeGoAhead (414) */ + /** @name PolkadotPrimitivesV7UpgradeGoAhead (415) */ interface PolkadotPrimitivesV7UpgradeGoAhead extends Enum { readonly isAbort: boolean; readonly isGoAhead: boolean; readonly type: "Abort" | "GoAhead"; } - /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (415) */ + /** @name CumulusPalletParachainSystemUnincludedSegmentSegmentTracker (416) */ interface CumulusPalletParachainSystemUnincludedSegmentSegmentTracker extends Struct { readonly usedBandwidth: CumulusPalletParachainSystemUnincludedSegmentUsedBandwidth; readonly hrmpWatermark: Option; readonly consumedGoAheadSignal: Option; } - /** @name PolkadotPrimitivesV7UpgradeRestriction (417) */ + /** @name PolkadotPrimitivesV7UpgradeRestriction (418) */ interface PolkadotPrimitivesV7UpgradeRestriction extends Enum { readonly isPresent: boolean; readonly type: "Present"; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (418) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot (419) */ interface CumulusPalletParachainSystemRelayStateSnapshotMessagingStateSnapshot extends Struct { readonly dmqMqcHead: H256; readonly relayDispatchQueueRemainingCapacity: CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity; @@ -6250,14 +6254,14 @@ declare module "@polkadot/types/lookup" { readonly egressChannels: Vec>; } - /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (419) */ + /** @name CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity (420) */ interface CumulusPalletParachainSystemRelayStateSnapshotRelayDispatchQueueRemainingCapacity extends Struct { readonly remainingCount: u32; readonly remainingSize: u32; } - /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (422) */ + /** @name PolkadotPrimitivesV7AbridgedHrmpChannel (423) */ interface PolkadotPrimitivesV7AbridgedHrmpChannel extends Struct { readonly maxCapacity: u32; readonly maxTotalSize: u32; @@ -6267,7 +6271,7 @@ declare module "@polkadot/types/lookup" { readonly mqcHead: Option; } - /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (423) */ + /** @name PolkadotPrimitivesV7AbridgedHostConfiguration (424) */ interface PolkadotPrimitivesV7AbridgedHostConfiguration extends Struct { readonly maxCodeSize: u32; readonly maxHeadDataSize: u32; @@ -6281,19 +6285,19 @@ declare module "@polkadot/types/lookup" { readonly asyncBackingParams: PolkadotPrimitivesV7AsyncBackingAsyncBackingParams; } - /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (424) */ + /** @name PolkadotPrimitivesV7AsyncBackingAsyncBackingParams (425) */ interface PolkadotPrimitivesV7AsyncBackingAsyncBackingParams extends Struct { readonly maxCandidateDepth: u32; readonly allowedAncestryLen: u32; } - /** @name PolkadotCorePrimitivesOutboundHrmpMessage (430) */ + /** @name PolkadotCorePrimitivesOutboundHrmpMessage (431) */ interface PolkadotCorePrimitivesOutboundHrmpMessage extends Struct { readonly recipient: u32; readonly data: Bytes; } - /** @name CumulusPalletParachainSystemError (432) */ + /** @name CumulusPalletParachainSystemError (433) */ interface CumulusPalletParachainSystemError extends Enum { readonly isOverlappingUpgrades: boolean; readonly isProhibitedByPolkadot: boolean; @@ -6314,14 +6318,14 @@ declare module "@polkadot/types/lookup" { | "Unauthorized"; } - /** @name PalletBalancesBalanceLock (434) */ + /** @name PalletBalancesBalanceLock (435) */ interface PalletBalancesBalanceLock extends Struct { readonly id: U8aFixed; readonly amount: u128; readonly reasons: PalletBalancesReasons; } - /** @name PalletBalancesReasons (435) */ + /** @name PalletBalancesReasons (436) */ interface PalletBalancesReasons extends Enum { readonly isFee: boolean; readonly isMisc: boolean; @@ -6329,32 +6333,32 @@ declare module "@polkadot/types/lookup" { readonly type: "Fee" | "Misc" | "All"; } - /** @name PalletBalancesReserveData (438) */ + /** @name PalletBalancesReserveData (439) */ interface PalletBalancesReserveData extends Struct { readonly id: U8aFixed; readonly amount: u128; } - /** @name MoonriverRuntimeRuntimeHoldReason (442) */ + /** @name MoonriverRuntimeRuntimeHoldReason (443) */ interface MoonriverRuntimeRuntimeHoldReason extends Enum { readonly isPreimage: boolean; readonly asPreimage: PalletPreimageHoldReason; readonly type: "Preimage"; } - /** @name PalletPreimageHoldReason (443) */ + /** @name PalletPreimageHoldReason (444) */ interface PalletPreimageHoldReason extends Enum { readonly isPreimage: boolean; readonly type: "Preimage"; } - /** @name PalletBalancesIdAmount (446) */ + /** @name PalletBalancesIdAmount (447) */ interface PalletBalancesIdAmount extends Struct { readonly id: Null; readonly amount: u128; } - /** @name PalletBalancesError (448) */ + /** @name PalletBalancesError (449) */ interface PalletBalancesError extends Enum { readonly isVestingBalance: boolean; readonly isLiquidityRestrictions: boolean; @@ -6383,14 +6387,14 @@ declare module "@polkadot/types/lookup" { | "DeltaZero"; } - /** @name PalletTransactionPaymentReleases (449) */ + /** @name PalletTransactionPaymentReleases (450) */ interface PalletTransactionPaymentReleases extends Enum { readonly isV1Ancient: boolean; readonly isV2: boolean; readonly type: "V1Ancient" | "V2"; } - /** @name PalletParachainStakingRoundInfo (450) */ + /** @name PalletParachainStakingRoundInfo (451) */ interface PalletParachainStakingRoundInfo extends Struct { readonly current: u32; readonly first: u32; @@ -6398,7 +6402,7 @@ declare module "@polkadot/types/lookup" { readonly firstSlot: u64; } - /** @name PalletParachainStakingDelegator (451) */ + /** @name PalletParachainStakingDelegator (452) */ interface PalletParachainStakingDelegator extends Struct { readonly id: AccountId20; readonly delegations: PalletParachainStakingSetOrderedSet; @@ -6407,16 +6411,16 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingDelegatorStatus; } - /** @name PalletParachainStakingSetOrderedSet (452) */ + /** @name PalletParachainStakingSetOrderedSet (453) */ interface PalletParachainStakingSetOrderedSet extends Vec {} - /** @name PalletParachainStakingBond (453) */ + /** @name PalletParachainStakingBond (454) */ interface PalletParachainStakingBond extends Struct { readonly owner: AccountId20; readonly amount: u128; } - /** @name PalletParachainStakingDelegatorStatus (455) */ + /** @name PalletParachainStakingDelegatorStatus (456) */ interface PalletParachainStakingDelegatorStatus extends Enum { readonly isActive: boolean; readonly isLeaving: boolean; @@ -6424,7 +6428,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Leaving"; } - /** @name PalletParachainStakingCandidateMetadata (456) */ + /** @name PalletParachainStakingCandidateMetadata (457) */ interface PalletParachainStakingCandidateMetadata extends Struct { readonly bond: u128; readonly delegationCount: u32; @@ -6438,7 +6442,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletParachainStakingCollatorStatus; } - /** @name PalletParachainStakingCapacityStatus (457) */ + /** @name PalletParachainStakingCapacityStatus (458) */ interface PalletParachainStakingCapacityStatus extends Enum { readonly isFull: boolean; readonly isEmpty: boolean; @@ -6446,13 +6450,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Full" | "Empty" | "Partial"; } - /** @name PalletParachainStakingCandidateBondLessRequest (459) */ + /** @name PalletParachainStakingCandidateBondLessRequest (460) */ interface PalletParachainStakingCandidateBondLessRequest extends Struct { readonly amount: u128; readonly whenExecutable: u32; } - /** @name PalletParachainStakingCollatorStatus (460) */ + /** @name PalletParachainStakingCollatorStatus (461) */ interface PalletParachainStakingCollatorStatus extends Enum { readonly isActive: boolean; readonly isIdle: boolean; @@ -6461,50 +6465,50 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "Idle" | "Leaving"; } - /** @name PalletParachainStakingDelegationRequestsScheduledRequest (462) */ + /** @name PalletParachainStakingDelegationRequestsScheduledRequest (463) */ interface PalletParachainStakingDelegationRequestsScheduledRequest extends Struct { readonly delegator: AccountId20; readonly whenExecutable: u32; readonly action: PalletParachainStakingDelegationRequestsDelegationAction; } - /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (465) */ + /** @name PalletParachainStakingAutoCompoundAutoCompoundConfig (466) */ interface PalletParachainStakingAutoCompoundAutoCompoundConfig extends Struct { readonly delegator: AccountId20; readonly value: Percent; } - /** @name PalletParachainStakingDelegations (467) */ + /** @name PalletParachainStakingDelegations (468) */ interface PalletParachainStakingDelegations extends Struct { readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingSetBoundedOrderedSet (469) */ + /** @name PalletParachainStakingSetBoundedOrderedSet (470) */ interface PalletParachainStakingSetBoundedOrderedSet extends Vec {} - /** @name PalletParachainStakingCollatorSnapshot (472) */ + /** @name PalletParachainStakingCollatorSnapshot (473) */ interface PalletParachainStakingCollatorSnapshot extends Struct { readonly bond: u128; readonly delegations: Vec; readonly total: u128; } - /** @name PalletParachainStakingBondWithAutoCompound (474) */ + /** @name PalletParachainStakingBondWithAutoCompound (475) */ interface PalletParachainStakingBondWithAutoCompound extends Struct { readonly owner: AccountId20; readonly amount: u128; readonly autoCompound: Percent; } - /** @name PalletParachainStakingDelayedPayout (475) */ + /** @name PalletParachainStakingDelayedPayout (476) */ interface PalletParachainStakingDelayedPayout extends Struct { readonly roundIssuance: u128; readonly totalStakingReward: u128; readonly collatorCommission: Perbill; } - /** @name PalletParachainStakingInflationInflationInfo (476) */ + /** @name PalletParachainStakingInflationInflationInfo (477) */ interface PalletParachainStakingInflationInflationInfo extends Struct { readonly expect: { readonly min: u128; @@ -6523,7 +6527,7 @@ declare module "@polkadot/types/lookup" { } & Struct; } - /** @name PalletParachainStakingError (477) */ + /** @name PalletParachainStakingError (478) */ interface PalletParachainStakingError extends Enum { readonly isDelegatorDNE: boolean; readonly isDelegatorDNEinTopNorBottom: boolean; @@ -6640,7 +6644,7 @@ declare module "@polkadot/types/lookup" { | "CurrentRoundTooLow"; } - /** @name PalletAuthorInherentError (478) */ + /** @name PalletAuthorInherentError (479) */ interface PalletAuthorInherentError extends Enum { readonly isAuthorAlreadySet: boolean; readonly isNoAccountId: boolean; @@ -6648,14 +6652,14 @@ declare module "@polkadot/types/lookup" { readonly type: "AuthorAlreadySet" | "NoAccountId" | "CannotBeAuthor"; } - /** @name PalletAuthorMappingRegistrationInfo (479) */ + /** @name PalletAuthorMappingRegistrationInfo (480) */ interface PalletAuthorMappingRegistrationInfo extends Struct { readonly account: AccountId20; readonly deposit: u128; readonly keys_: SessionKeysPrimitivesVrfVrfCryptoPublic; } - /** @name PalletAuthorMappingError (480) */ + /** @name PalletAuthorMappingError (481) */ interface PalletAuthorMappingError extends Enum { readonly isAssociationNotFound: boolean; readonly isNotYourAssociation: boolean; @@ -6676,20 +6680,20 @@ declare module "@polkadot/types/lookup" { | "DecodeKeysFailed"; } - /** @name PalletMoonbeamOrbitersCollatorPoolInfo (481) */ + /** @name PalletMoonbeamOrbitersCollatorPoolInfo (482) */ interface PalletMoonbeamOrbitersCollatorPoolInfo extends Struct { readonly orbiters: Vec; readonly maybeCurrentOrbiter: Option; readonly nextOrbiter: u32; } - /** @name PalletMoonbeamOrbitersCurrentOrbiter (483) */ + /** @name PalletMoonbeamOrbitersCurrentOrbiter (484) */ interface PalletMoonbeamOrbitersCurrentOrbiter extends Struct { readonly accountId: AccountId20; readonly removed: bool; } - /** @name PalletMoonbeamOrbitersError (484) */ + /** @name PalletMoonbeamOrbitersError (485) */ interface PalletMoonbeamOrbitersError extends Enum { readonly isCollatorAlreadyAdded: boolean; readonly isCollatorNotFound: boolean; @@ -6712,27 +6716,27 @@ declare module "@polkadot/types/lookup" { | "OrbiterStillInAPool"; } - /** @name PalletUtilityError (487) */ + /** @name PalletUtilityError (488) */ interface PalletUtilityError extends Enum { readonly isTooManyCalls: boolean; readonly type: "TooManyCalls"; } - /** @name PalletProxyProxyDefinition (490) */ + /** @name PalletProxyProxyDefinition (491) */ interface PalletProxyProxyDefinition extends Struct { readonly delegate: AccountId20; readonly proxyType: MoonriverRuntimeProxyType; readonly delay: u32; } - /** @name PalletProxyAnnouncement (494) */ + /** @name PalletProxyAnnouncement (495) */ interface PalletProxyAnnouncement extends Struct { readonly real: AccountId20; readonly callHash: H256; readonly height: u32; } - /** @name PalletProxyError (496) */ + /** @name PalletProxyError (497) */ interface PalletProxyError extends Enum { readonly isTooMany: boolean; readonly isNotFound: boolean; @@ -6753,34 +6757,34 @@ declare module "@polkadot/types/lookup" { | "NoSelfProxy"; } - /** @name PalletMaintenanceModeError (497) */ + /** @name PalletMaintenanceModeError (498) */ interface PalletMaintenanceModeError extends Enum { readonly isAlreadyInMaintenanceMode: boolean; readonly isNotInMaintenanceMode: boolean; readonly type: "AlreadyInMaintenanceMode" | "NotInMaintenanceMode"; } - /** @name PalletIdentityRegistration (499) */ + /** @name PalletIdentityRegistration (500) */ interface PalletIdentityRegistration extends Struct { readonly judgements: Vec>; readonly deposit: u128; readonly info: PalletIdentityLegacyIdentityInfo; } - /** @name PalletIdentityRegistrarInfo (508) */ + /** @name PalletIdentityRegistrarInfo (509) */ interface PalletIdentityRegistrarInfo extends Struct { readonly account: AccountId20; readonly fee: u128; readonly fields: u64; } - /** @name PalletIdentityAuthorityProperties (510) */ + /** @name PalletIdentityAuthorityProperties (511) */ interface PalletIdentityAuthorityProperties extends Struct { readonly suffix: Bytes; readonly allocation: u32; } - /** @name PalletIdentityError (513) */ + /** @name PalletIdentityError (514) */ interface PalletIdentityError extends Enum { readonly isTooManySubAccounts: boolean; readonly isNotFound: boolean; @@ -6837,7 +6841,7 @@ declare module "@polkadot/types/lookup" { | "NotExpired"; } - /** @name PalletMigrationsError (514) */ + /** @name PalletMigrationsError (515) */ interface PalletMigrationsError extends Enum { readonly isPreimageMissing: boolean; readonly isWrongUpperBound: boolean; @@ -6850,7 +6854,7 @@ declare module "@polkadot/types/lookup" { | "PreimageAlreadyExists"; } - /** @name PalletMultisigMultisig (516) */ + /** @name PalletMultisigMultisig (517) */ interface PalletMultisigMultisig extends Struct { readonly when: PalletMultisigTimepoint; readonly deposit: u128; @@ -6858,7 +6862,7 @@ declare module "@polkadot/types/lookup" { readonly approvals: Vec; } - /** @name PalletMultisigError (518) */ + /** @name PalletMultisigError (519) */ interface PalletMultisigError extends Enum { readonly isMinimumThreshold: boolean; readonly isAlreadyApproved: boolean; @@ -6891,7 +6895,7 @@ declare module "@polkadot/types/lookup" { | "AlreadyStored"; } - /** @name PalletMoonbeamLazyMigrationsError (519) */ + /** @name PalletMoonbeamLazyMigrationsError (520) */ interface PalletMoonbeamLazyMigrationsError extends Enum { readonly isLimitCannotBeZero: boolean; readonly isAddressesLengthCannotBeZero: boolean; @@ -6906,13 +6910,13 @@ declare module "@polkadot/types/lookup" { | "ContractNotExist"; } - /** @name PalletEvmCodeMetadata (520) */ + /** @name PalletEvmCodeMetadata (521) */ interface PalletEvmCodeMetadata extends Struct { readonly size_: u64; readonly hash_: H256; } - /** @name PalletEvmError (522) */ + /** @name PalletEvmError (523) */ interface PalletEvmError extends Enum { readonly isBalanceLow: boolean; readonly isFeeOverflow: boolean; @@ -6943,7 +6947,7 @@ declare module "@polkadot/types/lookup" { | "Undefined"; } - /** @name FpRpcTransactionStatus (525) */ + /** @name FpRpcTransactionStatus (526) */ interface FpRpcTransactionStatus extends Struct { readonly transactionHash: H256; readonly transactionIndex: u32; @@ -6954,10 +6958,10 @@ declare module "@polkadot/types/lookup" { readonly logsBloom: EthbloomBloom; } - /** @name EthbloomBloom (527) */ + /** @name EthbloomBloom (528) */ interface EthbloomBloom extends U8aFixed {} - /** @name EthereumReceiptReceiptV3 (529) */ + /** @name EthereumReceiptReceiptV3 (530) */ interface EthereumReceiptReceiptV3 extends Enum { readonly isLegacy: boolean; readonly asLegacy: EthereumReceiptEip658ReceiptData; @@ -6968,7 +6972,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Legacy" | "Eip2930" | "Eip1559"; } - /** @name EthereumReceiptEip658ReceiptData (530) */ + /** @name EthereumReceiptEip658ReceiptData (531) */ interface EthereumReceiptEip658ReceiptData extends Struct { readonly statusCode: u8; readonly usedGas: U256; @@ -6976,14 +6980,14 @@ declare module "@polkadot/types/lookup" { readonly logs: Vec; } - /** @name EthereumBlock (531) */ + /** @name EthereumBlock (532) */ interface EthereumBlock extends Struct { readonly header: EthereumHeader; readonly transactions: Vec; readonly ommers: Vec; } - /** @name EthereumHeader (532) */ + /** @name EthereumHeader (533) */ interface EthereumHeader extends Struct { readonly parentHash: H256; readonly ommersHash: H256; @@ -7002,17 +7006,17 @@ declare module "@polkadot/types/lookup" { readonly nonce: EthereumTypesHashH64; } - /** @name EthereumTypesHashH64 (533) */ + /** @name EthereumTypesHashH64 (534) */ interface EthereumTypesHashH64 extends U8aFixed {} - /** @name PalletEthereumError (538) */ + /** @name PalletEthereumError (539) */ interface PalletEthereumError extends Enum { readonly isInvalidSignature: boolean; readonly isPreLogExists: boolean; readonly type: "InvalidSignature" | "PreLogExists"; } - /** @name PalletSchedulerScheduled (541) */ + /** @name PalletSchedulerScheduled (542) */ interface PalletSchedulerScheduled extends Struct { readonly maybeId: Option; readonly priority: u8; @@ -7021,14 +7025,14 @@ declare module "@polkadot/types/lookup" { readonly origin: MoonriverRuntimeOriginCaller; } - /** @name PalletSchedulerRetryConfig (543) */ + /** @name PalletSchedulerRetryConfig (544) */ interface PalletSchedulerRetryConfig extends Struct { readonly totalRetries: u8; readonly remaining: u8; readonly period: u32; } - /** @name PalletSchedulerError (544) */ + /** @name PalletSchedulerError (545) */ interface PalletSchedulerError extends Enum { readonly isFailedToSchedule: boolean; readonly isNotFound: boolean; @@ -7043,7 +7047,7 @@ declare module "@polkadot/types/lookup" { | "Named"; } - /** @name PalletPreimageOldRequestStatus (545) */ + /** @name PalletPreimageOldRequestStatus (546) */ interface PalletPreimageOldRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7059,7 +7063,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageRequestStatus (548) */ + /** @name PalletPreimageRequestStatus (549) */ interface PalletPreimageRequestStatus extends Enum { readonly isUnrequested: boolean; readonly asUnrequested: { @@ -7075,7 +7079,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Unrequested" | "Requested"; } - /** @name PalletPreimageError (554) */ + /** @name PalletPreimageError (555) */ interface PalletPreimageError extends Enum { readonly isTooBig: boolean; readonly isAlreadyNoted: boolean; @@ -7096,7 +7100,7 @@ declare module "@polkadot/types/lookup" { | "TooFew"; } - /** @name PalletConvictionVotingVoteVoting (556) */ + /** @name PalletConvictionVotingVoteVoting (557) */ interface PalletConvictionVotingVoteVoting extends Enum { readonly isCasting: boolean; readonly asCasting: PalletConvictionVotingVoteCasting; @@ -7105,23 +7109,23 @@ declare module "@polkadot/types/lookup" { readonly type: "Casting" | "Delegating"; } - /** @name PalletConvictionVotingVoteCasting (557) */ + /** @name PalletConvictionVotingVoteCasting (558) */ interface PalletConvictionVotingVoteCasting extends Struct { readonly votes: Vec>; readonly delegations: PalletConvictionVotingDelegations; readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingDelegations (561) */ + /** @name PalletConvictionVotingDelegations (562) */ interface PalletConvictionVotingDelegations extends Struct { readonly votes: u128; readonly capital: u128; } - /** @name PalletConvictionVotingVotePriorLock (562) */ + /** @name PalletConvictionVotingVotePriorLock (563) */ interface PalletConvictionVotingVotePriorLock extends ITuple<[u32, u128]> {} - /** @name PalletConvictionVotingVoteDelegating (563) */ + /** @name PalletConvictionVotingVoteDelegating (564) */ interface PalletConvictionVotingVoteDelegating extends Struct { readonly balance: u128; readonly target: AccountId20; @@ -7130,7 +7134,7 @@ declare module "@polkadot/types/lookup" { readonly prior: PalletConvictionVotingVotePriorLock; } - /** @name PalletConvictionVotingError (567) */ + /** @name PalletConvictionVotingError (568) */ interface PalletConvictionVotingError extends Enum { readonly isNotOngoing: boolean; readonly isNotVoter: boolean; @@ -7159,7 +7163,7 @@ declare module "@polkadot/types/lookup" { | "BadClass"; } - /** @name PalletReferendaReferendumInfo (568) */ + /** @name PalletReferendaReferendumInfo (569) */ interface PalletReferendaReferendumInfo extends Enum { readonly isOngoing: boolean; readonly asOngoing: PalletReferendaReferendumStatus; @@ -7184,7 +7188,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Ongoing" | "Approved" | "Rejected" | "Cancelled" | "TimedOut" | "Killed"; } - /** @name PalletReferendaReferendumStatus (569) */ + /** @name PalletReferendaReferendumStatus (570) */ interface PalletReferendaReferendumStatus extends Struct { readonly track: u16; readonly origin: MoonriverRuntimeOriginCaller; @@ -7199,19 +7203,19 @@ declare module "@polkadot/types/lookup" { readonly alarm: Option]>>; } - /** @name PalletReferendaDeposit (570) */ + /** @name PalletReferendaDeposit (571) */ interface PalletReferendaDeposit extends Struct { readonly who: AccountId20; readonly amount: u128; } - /** @name PalletReferendaDecidingStatus (573) */ + /** @name PalletReferendaDecidingStatus (574) */ interface PalletReferendaDecidingStatus extends Struct { readonly since: u32; readonly confirming: Option; } - /** @name PalletReferendaTrackInfo (581) */ + /** @name PalletReferendaTrackInfo (582) */ interface PalletReferendaTrackInfo extends Struct { readonly name: Text; readonly maxDeciding: u32; @@ -7224,7 +7228,7 @@ declare module "@polkadot/types/lookup" { readonly minSupport: PalletReferendaCurve; } - /** @name PalletReferendaCurve (582) */ + /** @name PalletReferendaCurve (583) */ interface PalletReferendaCurve extends Enum { readonly isLinearDecreasing: boolean; readonly asLinearDecreasing: { @@ -7248,7 +7252,7 @@ declare module "@polkadot/types/lookup" { readonly type: "LinearDecreasing" | "SteppedDecreasing" | "Reciprocal"; } - /** @name PalletReferendaError (585) */ + /** @name PalletReferendaError (586) */ interface PalletReferendaError extends Enum { readonly isNotOngoing: boolean; readonly isHasDeposit: boolean; @@ -7281,7 +7285,7 @@ declare module "@polkadot/types/lookup" { | "PreimageStoredWithDifferentLength"; } - /** @name PalletWhitelistError (586) */ + /** @name PalletWhitelistError (587) */ interface PalletWhitelistError extends Enum { readonly isUnavailablePreImage: boolean; readonly isUndecodableCall: boolean; @@ -7296,7 +7300,7 @@ declare module "@polkadot/types/lookup" { | "CallAlreadyWhitelisted"; } - /** @name PalletCollectiveVotes (588) */ + /** @name PalletCollectiveVotes (589) */ interface PalletCollectiveVotes extends Struct { readonly index: u32; readonly threshold: u32; @@ -7305,7 +7309,7 @@ declare module "@polkadot/types/lookup" { readonly end: u32; } - /** @name PalletCollectiveError (589) */ + /** @name PalletCollectiveError (590) */ interface PalletCollectiveError extends Enum { readonly isNotMember: boolean; readonly isDuplicateProposal: boolean; @@ -7332,7 +7336,7 @@ declare module "@polkadot/types/lookup" { | "PrimeAccountNotMember"; } - /** @name PalletTreasuryProposal (592) */ + /** @name PalletTreasuryProposal (593) */ interface PalletTreasuryProposal extends Struct { readonly proposer: AccountId20; readonly value: u128; @@ -7340,7 +7344,7 @@ declare module "@polkadot/types/lookup" { readonly bond: u128; } - /** @name PalletTreasurySpendStatus (595) */ + /** @name PalletTreasurySpendStatus (596) */ interface PalletTreasurySpendStatus extends Struct { readonly assetKind: Null; readonly amount: u128; @@ -7350,7 +7354,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletTreasuryPaymentState; } - /** @name PalletTreasuryPaymentState (596) */ + /** @name PalletTreasuryPaymentState (597) */ interface PalletTreasuryPaymentState extends Enum { readonly isPending: boolean; readonly isAttempted: boolean; @@ -7361,10 +7365,10 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "Attempted" | "Failed"; } - /** @name FrameSupportPalletId (598) */ + /** @name FrameSupportPalletId (599) */ interface FrameSupportPalletId extends U8aFixed {} - /** @name PalletTreasuryError (599) */ + /** @name PalletTreasuryError (600) */ interface PalletTreasuryError extends Enum { readonly isInsufficientProposersBalance: boolean; readonly isInvalidIndex: boolean; @@ -7393,14 +7397,14 @@ declare module "@polkadot/types/lookup" { | "Inconclusive"; } - /** @name PalletCrowdloanRewardsRewardInfo (600) */ + /** @name PalletCrowdloanRewardsRewardInfo (601) */ interface PalletCrowdloanRewardsRewardInfo extends Struct { readonly totalReward: u128; readonly claimedReward: u128; readonly contributedRelayAddresses: Vec; } - /** @name PalletCrowdloanRewardsError (602) */ + /** @name PalletCrowdloanRewardsError (603) */ interface PalletCrowdloanRewardsError extends Enum { readonly isAlreadyAssociated: boolean; readonly isBatchBeyondFundPot: boolean; @@ -7435,7 +7439,7 @@ declare module "@polkadot/types/lookup" { | "InsufficientNumberOfValidProofs"; } - /** @name CumulusPalletXcmpQueueOutboundChannelDetails (607) */ + /** @name CumulusPalletXcmpQueueOutboundChannelDetails (608) */ interface CumulusPalletXcmpQueueOutboundChannelDetails extends Struct { readonly recipient: u32; readonly state: CumulusPalletXcmpQueueOutboundState; @@ -7444,21 +7448,21 @@ declare module "@polkadot/types/lookup" { readonly lastIndex: u16; } - /** @name CumulusPalletXcmpQueueOutboundState (608) */ + /** @name CumulusPalletXcmpQueueOutboundState (609) */ interface CumulusPalletXcmpQueueOutboundState extends Enum { readonly isOk: boolean; readonly isSuspended: boolean; readonly type: "Ok" | "Suspended"; } - /** @name CumulusPalletXcmpQueueQueueConfigData (610) */ + /** @name CumulusPalletXcmpQueueQueueConfigData (611) */ interface CumulusPalletXcmpQueueQueueConfigData extends Struct { readonly suspendThreshold: u32; readonly dropThreshold: u32; readonly resumeThreshold: u32; } - /** @name CumulusPalletXcmpQueueError (611) */ + /** @name CumulusPalletXcmpQueueError (612) */ interface CumulusPalletXcmpQueueError extends Enum { readonly isBadQueueConfig: boolean; readonly isAlreadySuspended: boolean; @@ -7466,7 +7470,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BadQueueConfig" | "AlreadySuspended" | "AlreadyResumed"; } - /** @name CumulusPalletDmpQueueMigrationState (612) */ + /** @name CumulusPalletDmpQueueMigrationState (613) */ interface CumulusPalletDmpQueueMigrationState extends Enum { readonly isNotStarted: boolean; readonly isStartedExport: boolean; @@ -7494,7 +7498,7 @@ declare module "@polkadot/types/lookup" { | "Completed"; } - /** @name PalletXcmQueryStatus (615) */ + /** @name PalletXcmQueryStatus (616) */ interface PalletXcmQueryStatus extends Enum { readonly isPending: boolean; readonly asPending: { @@ -7516,7 +7520,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Pending" | "VersionNotifier" | "Ready"; } - /** @name XcmVersionedResponse (619) */ + /** @name XcmVersionedResponse (620) */ interface XcmVersionedResponse extends Enum { readonly isV2: boolean; readonly asV2: XcmV2Response; @@ -7527,7 +7531,7 @@ declare module "@polkadot/types/lookup" { readonly type: "V2" | "V3" | "V4"; } - /** @name PalletXcmVersionMigrationStage (625) */ + /** @name PalletXcmVersionMigrationStage (626) */ interface PalletXcmVersionMigrationStage extends Enum { readonly isMigrateSupportedVersion: boolean; readonly isMigrateVersionNotifiers: boolean; @@ -7541,7 +7545,7 @@ declare module "@polkadot/types/lookup" { | "MigrateAndNotifyOldTargets"; } - /** @name PalletXcmRemoteLockedFungibleRecord (628) */ + /** @name PalletXcmRemoteLockedFungibleRecord (629) */ interface PalletXcmRemoteLockedFungibleRecord extends Struct { readonly amount: u128; readonly owner: XcmVersionedLocation; @@ -7549,7 +7553,7 @@ declare module "@polkadot/types/lookup" { readonly consumers: Vec>; } - /** @name PalletXcmError (635) */ + /** @name PalletXcmError (636) */ interface PalletXcmError extends Enum { readonly isUnreachable: boolean; readonly isSendFailure: boolean; @@ -7602,7 +7606,7 @@ declare module "@polkadot/types/lookup" { | "LocalExecutionIncomplete"; } - /** @name PalletAssetsAssetDetails (636) */ + /** @name PalletAssetsAssetDetails (637) */ interface PalletAssetsAssetDetails extends Struct { readonly owner: AccountId20; readonly issuer: AccountId20; @@ -7618,7 +7622,7 @@ declare module "@polkadot/types/lookup" { readonly status: PalletAssetsAssetStatus; } - /** @name PalletAssetsAssetStatus (637) */ + /** @name PalletAssetsAssetStatus (638) */ interface PalletAssetsAssetStatus extends Enum { readonly isLive: boolean; readonly isFrozen: boolean; @@ -7626,7 +7630,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Live" | "Frozen" | "Destroying"; } - /** @name PalletAssetsAssetAccount (639) */ + /** @name PalletAssetsAssetAccount (640) */ interface PalletAssetsAssetAccount extends Struct { readonly balance: u128; readonly status: PalletAssetsAccountStatus; @@ -7634,7 +7638,7 @@ declare module "@polkadot/types/lookup" { readonly extra: Null; } - /** @name PalletAssetsAccountStatus (640) */ + /** @name PalletAssetsAccountStatus (641) */ interface PalletAssetsAccountStatus extends Enum { readonly isLiquid: boolean; readonly isFrozen: boolean; @@ -7642,7 +7646,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Liquid" | "Frozen" | "Blocked"; } - /** @name PalletAssetsExistenceReason (641) */ + /** @name PalletAssetsExistenceReason (642) */ interface PalletAssetsExistenceReason extends Enum { readonly isConsumer: boolean; readonly isSufficient: boolean; @@ -7654,13 +7658,13 @@ declare module "@polkadot/types/lookup" { readonly type: "Consumer" | "Sufficient" | "DepositHeld" | "DepositRefunded" | "DepositFrom"; } - /** @name PalletAssetsApproval (643) */ + /** @name PalletAssetsApproval (644) */ interface PalletAssetsApproval extends Struct { readonly amount: u128; readonly deposit: u128; } - /** @name PalletAssetsAssetMetadata (644) */ + /** @name PalletAssetsAssetMetadata (645) */ interface PalletAssetsAssetMetadata extends Struct { readonly deposit: u128; readonly name: Bytes; @@ -7669,7 +7673,7 @@ declare module "@polkadot/types/lookup" { readonly isFrozen: bool; } - /** @name PalletAssetsError (646) */ + /** @name PalletAssetsError (647) */ interface PalletAssetsError extends Enum { readonly isBalanceLow: boolean; readonly isNoAccount: boolean; @@ -7714,7 +7718,7 @@ declare module "@polkadot/types/lookup" { | "CallbackFailed"; } - /** @name PalletAssetManagerError (647) */ + /** @name PalletAssetManagerError (648) */ interface PalletAssetManagerError extends Enum { readonly isErrorCreatingAsset: boolean; readonly isAssetAlreadyExists: boolean; @@ -7735,7 +7739,7 @@ declare module "@polkadot/types/lookup" { | "NonExistentLocalAsset"; } - /** @name OrmlXtokensModuleError (648) */ + /** @name OrmlXtokensModuleError (649) */ interface OrmlXtokensModuleError extends Enum { readonly isAssetHasNoReserve: boolean; readonly isNotCrossChainTransfer: boolean; @@ -7780,7 +7784,7 @@ declare module "@polkadot/types/lookup" { | "RateLimited"; } - /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (649) */ + /** @name PalletXcmTransactorRelayIndicesRelayChainIndices (650) */ interface PalletXcmTransactorRelayIndicesRelayChainIndices extends Struct { readonly staking: u8; readonly utility: u8; @@ -7802,7 +7806,7 @@ declare module "@polkadot/types/lookup" { readonly cancelOpenRequest: u8; } - /** @name PalletXcmTransactorError (650) */ + /** @name PalletXcmTransactorError (651) */ interface PalletXcmTransactorError extends Enum { readonly isIndexAlreadyClaimed: boolean; readonly isUnclaimedIndex: boolean; @@ -7861,13 +7865,13 @@ declare module "@polkadot/types/lookup" { | "RefundNotSupportedWithTransactInfo"; } - /** @name PalletEthereumXcmError (651) */ + /** @name PalletEthereumXcmError (652) */ interface PalletEthereumXcmError extends Enum { readonly isEthereumXcmExecutionSuspended: boolean; readonly type: "EthereumXcmExecutionSuspended"; } - /** @name PalletMessageQueueBookState (652) */ + /** @name PalletMessageQueueBookState (653) */ interface PalletMessageQueueBookState extends Struct { readonly begin: u32; readonly end: u32; @@ -7877,13 +7881,13 @@ declare module "@polkadot/types/lookup" { readonly size_: u64; } - /** @name PalletMessageQueueNeighbours (654) */ + /** @name PalletMessageQueueNeighbours (655) */ interface PalletMessageQueueNeighbours extends Struct { readonly prev: CumulusPrimitivesCoreAggregateMessageOrigin; readonly next: CumulusPrimitivesCoreAggregateMessageOrigin; } - /** @name PalletMessageQueuePage (656) */ + /** @name PalletMessageQueuePage (657) */ interface PalletMessageQueuePage extends Struct { readonly remaining: u32; readonly remainingSize: u32; @@ -7893,7 +7897,7 @@ declare module "@polkadot/types/lookup" { readonly heap: Bytes; } - /** @name PalletMessageQueueError (658) */ + /** @name PalletMessageQueueError (659) */ interface PalletMessageQueueError extends Enum { readonly isNotReapable: boolean; readonly isNoPage: boolean; @@ -7916,7 +7920,7 @@ declare module "@polkadot/types/lookup" { | "RecursiveDisallowed"; } - /** @name PalletMoonbeamForeignAssetsAssetStatus (660) */ + /** @name PalletMoonbeamForeignAssetsAssetStatus (661) */ interface PalletMoonbeamForeignAssetsAssetStatus extends Enum { readonly isActive: boolean; readonly isFrozenXcmDepositAllowed: boolean; @@ -7924,7 +7928,7 @@ declare module "@polkadot/types/lookup" { readonly type: "Active" | "FrozenXcmDepositAllowed" | "FrozenXcmDepositForbidden"; } - /** @name PalletMoonbeamForeignAssetsError (661) */ + /** @name PalletMoonbeamForeignAssetsError (662) */ interface PalletMoonbeamForeignAssetsError extends Enum { readonly isAssetAlreadyExists: boolean; readonly isAssetAlreadyFrozen: boolean; @@ -7957,7 +7961,7 @@ declare module "@polkadot/types/lookup" { | "TooManyForeignAssets"; } - /** @name PalletXcmWeightTraderError (663) */ + /** @name PalletXcmWeightTraderError (664) */ interface PalletXcmWeightTraderError extends Enum { readonly isAssetAlreadyAdded: boolean; readonly isAssetAlreadyPaused: boolean; @@ -7974,32 +7978,32 @@ declare module "@polkadot/types/lookup" { | "PriceCannotBeZero"; } - /** @name PalletEmergencyParaXcmXcmMode (664) */ + /** @name PalletEmergencyParaXcmXcmMode (665) */ interface PalletEmergencyParaXcmXcmMode extends Enum { readonly isNormal: boolean; readonly isPaused: boolean; readonly type: "Normal" | "Paused"; } - /** @name PalletEmergencyParaXcmError (665) */ + /** @name PalletEmergencyParaXcmError (666) */ interface PalletEmergencyParaXcmError extends Enum { readonly isNotInPausedMode: boolean; readonly type: "NotInPausedMode"; } - /** @name PalletPrecompileBenchmarksError (667) */ + /** @name PalletPrecompileBenchmarksError (668) */ interface PalletPrecompileBenchmarksError extends Enum { readonly isBenchmarkError: boolean; readonly type: "BenchmarkError"; } - /** @name PalletRandomnessRequestState (668) */ + /** @name PalletRandomnessRequestState (669) */ interface PalletRandomnessRequestState extends Struct { readonly request: PalletRandomnessRequest; readonly deposit: u128; } - /** @name PalletRandomnessRequest (669) */ + /** @name PalletRandomnessRequest (670) */ interface PalletRandomnessRequest extends Struct { readonly refundAddress: H160; readonly contractAddress: H160; @@ -8010,7 +8014,7 @@ declare module "@polkadot/types/lookup" { readonly info: PalletRandomnessRequestInfo; } - /** @name PalletRandomnessRequestInfo (670) */ + /** @name PalletRandomnessRequestInfo (671) */ interface PalletRandomnessRequestInfo extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: ITuple<[u64, u64]>; @@ -8019,7 +8023,7 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRequestType (671) */ + /** @name PalletRandomnessRequestType (672) */ interface PalletRandomnessRequestType extends Enum { readonly isBabeEpoch: boolean; readonly asBabeEpoch: u64; @@ -8028,13 +8032,13 @@ declare module "@polkadot/types/lookup" { readonly type: "BabeEpoch" | "Local"; } - /** @name PalletRandomnessRandomnessResult (672) */ + /** @name PalletRandomnessRandomnessResult (673) */ interface PalletRandomnessRandomnessResult extends Struct { readonly randomness: Option; readonly requestCount: u64; } - /** @name PalletRandomnessError (673) */ + /** @name PalletRandomnessError (674) */ interface PalletRandomnessError extends Enum { readonly isRequestCounterOverflowed: boolean; readonly isRequestFeeOverflowed: boolean; @@ -8063,42 +8067,42 @@ declare module "@polkadot/types/lookup" { | "RandomnessResultNotFilled"; } - /** @name FrameSystemExtensionsCheckNonZeroSender (676) */ + /** @name FrameSystemExtensionsCheckNonZeroSender (677) */ type FrameSystemExtensionsCheckNonZeroSender = Null; - /** @name FrameSystemExtensionsCheckSpecVersion (677) */ + /** @name FrameSystemExtensionsCheckSpecVersion (678) */ type FrameSystemExtensionsCheckSpecVersion = Null; - /** @name FrameSystemExtensionsCheckTxVersion (678) */ + /** @name FrameSystemExtensionsCheckTxVersion (679) */ type FrameSystemExtensionsCheckTxVersion = Null; - /** @name FrameSystemExtensionsCheckGenesis (679) */ + /** @name FrameSystemExtensionsCheckGenesis (680) */ type FrameSystemExtensionsCheckGenesis = Null; - /** @name FrameSystemExtensionsCheckNonce (682) */ + /** @name FrameSystemExtensionsCheckNonce (683) */ interface FrameSystemExtensionsCheckNonce extends Compact {} - /** @name FrameSystemExtensionsCheckWeight (683) */ + /** @name FrameSystemExtensionsCheckWeight (684) */ type FrameSystemExtensionsCheckWeight = Null; - /** @name PalletTransactionPaymentChargeTransactionPayment (684) */ + /** @name PalletTransactionPaymentChargeTransactionPayment (685) */ interface PalletTransactionPaymentChargeTransactionPayment extends Compact {} - /** @name FrameMetadataHashExtensionCheckMetadataHash (685) */ + /** @name FrameMetadataHashExtensionCheckMetadataHash (686) */ interface FrameMetadataHashExtensionCheckMetadataHash extends Struct { readonly mode: FrameMetadataHashExtensionMode; } - /** @name FrameMetadataHashExtensionMode (686) */ + /** @name FrameMetadataHashExtensionMode (687) */ interface FrameMetadataHashExtensionMode extends Enum { readonly isDisabled: boolean; readonly isEnabled: boolean; readonly type: "Disabled" | "Enabled"; } - /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (687) */ + /** @name CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim (688) */ type CumulusPrimitivesStorageWeightReclaimStorageWeightReclaim = Null; - /** @name MoonriverRuntimeRuntime (689) */ + /** @name MoonriverRuntimeRuntime (690) */ type MoonriverRuntimeRuntime = Null; } // declare module From f95bd729fb4b66ef7d940f9c048649b61cd18cb6 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 08:26:32 +0000 Subject: [PATCH 12/37] upgrades --- pallets/parachain-staking/src/migrations.rs | 73 +++++++++++++++++++++ runtime/common/src/migrations.rs | 29 ++++++++ 2 files changed, 102 insertions(+) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index 2e08649a70..422f855947 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -13,3 +13,76 @@ // You should have received a copy of the GNU General Public License // along with Moonbeam. If not, see . + +use frame_support::{traits::OnRuntimeUpgrade, weights::Weight}; + +use crate::*; + +#[derive(Clone, PartialEq, Eq, parity_scale_codec::Decode, sp_runtime::RuntimeDebug)] +/// Reserve information { account, percent_of_inflation } +pub struct OldParachainBondConfig { + /// Account which receives funds intended for parachain bond + pub account: AccountId, + /// Percent of inflation set aside for parachain bond account + pub percent: sp_runtime::Percent, +} + +pub struct MigrateParachainBondConfig(sp_std::marker::PhantomData); +impl OnRuntimeUpgrade for MigrateParachainBondConfig { + fn on_runtime_upgrade() -> Weight { + let (account, percent) = if let Some(config) = + frame_support::storage::migration::get_storage_value::< + OldParachainBondConfig, + >(b"ParachainStaking", b"ParachainBondInfo", &[]) + { + (config.account, config.percent) + } else { + return Weight::default(); + }; + + let pbr = InflationDistributionAccount { account, percent }; + let treasury = InflationDistributionAccount::::default(); + let configs: InflationDistributionConfig = [pbr, treasury].into(); + + //***** Start mutate storage *****// + + InflationDistributionInfo::::put(configs); + + // Remove storage value AssetManager::SupportedFeePaymentAssets + frame_support::storage::unhashed::kill(&frame_support::storage::storage_prefix( + b"ParachainStaking", + b"ParachainBondInfo", + )); + + Weight::default() + } + + #[cfg(feature = "try-runtime")] + fn pre_upgrade(&self) -> Result, sp_runtime::DispatchError> { + let state = frame_support::storage::migration::get_storage_value::< + OldParachainBondConfig, + >(b"ParachainStaking", b"ParachainBondInfo", &[]); + + ensure!(state.is_some(), "State not found"); + + Ok(state.unwrap().encode()) + } + + #[cfg(feature = "try-runtime")] + fn post_upgrade(&self, state: Vec) -> Result<(), sp_runtime::DispatchError> { + let old_state: OldParachainBondConfig = + parity_scale_codec::Decode::decode(&mut &state[..]) + .map_err(|_| sp_runtime::DispatchError::Other("Failed to decode old state"))?; + + let new_state = InflationDistributionInfo::::get(); + + let pbr = InflationDistributionAccount { + account: old_state.account, + percent: old_state.percent, + }; + let treasury = InflationDistributionAccount::::default(); + let expected_new_state: InflationDistributionConfig = [pbr, treasury].into(); + + ensure!(new_state == expected_new_state, "State migration failed"); + } +} diff --git a/runtime/common/src/migrations.rs b/runtime/common/src/migrations.rs index ef94f52b87..44f88b6f49 100644 --- a/runtime/common/src/migrations.rs +++ b/runtime/common/src/migrations.rs @@ -154,6 +154,32 @@ where } } +pub struct MigrateStakingParachainBondConfig(PhantomData); +impl Migration for MigrateStakingParachainBondConfig +where + Runtime: pallet_parachain_staking::Config, +{ + fn friendly_name(&self) -> &str { + "MM_MigrateStakingParachainBondConfig" + } + + fn migrate(&self, _available_weight: Weight) -> Weight { + pallet_parachain_staking::migrations::MigrateParachainBondConfig::::on_runtime_upgrade() + } + + #[cfg(feature = "try-runtime")] + fn pre_upgrade(&self) -> Result, sp_runtime::DispatchError> { + pallet_parachain_staking::migrations::MigrateParachainBondConfig::::pre_upgrade() + } + + #[cfg(feature = "try-runtime")] + fn post_upgrade(&self, state: Vec) -> Result<(), sp_runtime::DispatchError> { + pallet_parachain_staking::migrations::MigrateParachainBondConfig::::post_upgrade( + state, + ) + } +} + pub struct CommonMigrations(PhantomData); impl GetMigrations for CommonMigrations @@ -303,6 +329,9 @@ where Box::new(MigrateXcmFeesAssetsMeatdata::(Default::default())), // permanent migrations Box::new(MigrateToLatestXcmVersion::(Default::default())), + Box::new(MigrateStakingParachainBondConfig::( + Default::default(), + )), ] } } From c2efffb171eb6c93b2de290fbb97cdc54c5f0c77 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 08:34:03 +0000 Subject: [PATCH 13/37] link --- test/package.json | 2 +- test/pnpm-lock.yaml | 1222 ++++++++++++++++++++++--------------------- 2 files changed, 625 insertions(+), 599 deletions(-) diff --git a/test/package.json b/test/package.json index 1db6fbc176..84f0448100 100644 --- a/test/package.json +++ b/test/package.json @@ -17,7 +17,7 @@ "license": "ISC", "dependencies": { "@acala-network/chopsticks": "0.15.0", - "@moonbeam-network/api-augment": "0.2902.0", + "@moonbeam-network/api-augment": "link:../typescript-api", "@moonwall/cli": "5.3.3", "@moonwall/util": "5.3.3", "@openzeppelin/contracts": "4.9.6", diff --git a/test/pnpm-lock.yaml b/test/pnpm-lock.yaml index cd7faf294b..b248b696d7 100644 --- a/test/pnpm-lock.yaml +++ b/test/pnpm-lock.yaml @@ -10,16 +10,16 @@ importers: dependencies: '@acala-network/chopsticks': specifier: 0.15.0 - version: 0.15.0(debug@4.3.7) + version: 0.15.0(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) '@moonbeam-network/api-augment': - specifier: 0.2902.0 + specifier: link:../typescript-api version: link:../typescript-api '@moonwall/cli': specifier: 5.3.3 - version: 5.3.3(@acala-network/chopsticks@0.15.0)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1) + version: 5.3.3(@acala-network/chopsticks@0.15.0(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10))(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@types/node@22.7.0)(@vitest/ui@2.1.1(vitest@2.1.1))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8) '@moonwall/util': specifier: 5.3.3 - version: 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1) + version: 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8) '@openzeppelin/contracts': specifier: 4.9.6 version: 4.9.6 @@ -28,22 +28,22 @@ importers: version: 1.1.4 '@polkadot/api': specifier: 13.0.1 - version: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/api-augment': specifier: 13.0.1 - version: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/api-derive': specifier: 13.0.1 - version: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/apps-config': specifier: 0.143.2 - version: 0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1) + version: 0.143.2(@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1))(bufferutil@4.0.8)(encoding@0.1.13)(react-dom@18.3.1(react@18.3.1))(react-is@18.3.1)(react@18.3.1)(utf-8-validate@5.0.10) '@polkadot/keyring': specifier: 13.1.1 - version: 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + version: 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/rpc-provider': specifier: 13.0.1 - version: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': specifier: 13.0.1 version: 13.0.1 @@ -58,25 +58,25 @@ importers: version: 13.1.1(@polkadot/util@13.1.1) '@substrate/txwrapper-core': specifier: 7.5.1 - version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + version: 7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@substrate/txwrapper-substrate': specifier: 7.5.1 - version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + version: 7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@vitest/ui': specifier: 2.1.1 version: 2.1.1(vitest@2.1.1) '@zombienet/utils': specifier: 0.0.25 - version: 0.0.25(@types/node@22.7.0)(typescript@5.6.2) + version: 0.0.25(@types/node@22.7.0)(chokidar@3.6.0)(typescript@5.6.2) chalk: specifier: 5.3.0 version: 5.3.0 eth-object: specifier: github:aurora-is-near/eth-object#master - version: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06 + version: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) ethers: specifier: 6.13.2 - version: 6.13.2 + version: 6.13.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) json-bigint: specifier: 1.0.0 version: 1.0.0 @@ -109,13 +109,13 @@ importers: version: 4.16.2 viem: specifier: 2.21.14 - version: 2.21.14(typescript@5.6.2) + version: 2.21.14(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) vitest: specifier: 2.1.1 - version: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) + version: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) web3: specifier: 4.13.0 - version: 4.13.0(typescript@5.6.2) + version: 4.13.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) yaml: specifier: 2.5.1 version: 2.5.1 @@ -137,7 +137,7 @@ importers: version: 17.0.33 '@typescript-eslint/eslint-plugin': specifier: 7.5.0 - version: 7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2) + version: 7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2) '@typescript-eslint/parser': specifier: 7.5.0 version: 7.5.0(eslint@8.57.0)(typescript@5.6.2) @@ -152,7 +152,7 @@ importers: version: 8.57.0 eslint-plugin-unused-imports: specifier: 3.1.0 - version: 3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0) + version: 3.1.0(@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0) prettier: specifier: 2.8.8 version: 2.8.8 @@ -3296,12 +3296,10 @@ packages: eth-object@https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06: resolution: {tarball: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06} - name: eth-object version: 1.0.3 eth-util-lite@https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7: resolution: {tarball: https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7} - name: eth-util-lite version: 1.0.1 ethereum-blockies-base64@1.0.2: @@ -5263,9 +5261,6 @@ packages: sqlite3@5.1.7: resolution: {integrity: sha512-GGIyOiFaG+TUra3JIfkI/zGP8yZYLPQ0pl1bH+ODjiX57sPhrLU5sQJn1y9bDKZUFYkX1crlrPfSYt0BKKdkog==} - peerDependenciesMeta: - node-gyp: - optional: true sshpk@1.18.0: resolution: {integrity: sha512-2p2KJZTSqQ/I3+HX42EpYOa2l3f8Erv8MWKsy2I9uf4wA7yFIkXRffYdsx86y6z4vHtV8u7g+pPlr8/4ouAxsQ==} @@ -6223,10 +6218,10 @@ packages: snapshots: - '@acala-network/chopsticks-core@0.15.0': + '@acala-network/chopsticks-core@0.15.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@acala-network/chopsticks-executor': 0.15.0 - '@polkadot/rpc-provider': 12.4.2 + '@polkadot/rpc-provider': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/types-codec': 12.4.2 '@polkadot/types-known': 12.4.2 @@ -6245,13 +6240,13 @@ snapshots: - supports-color - utf-8-validate - '@acala-network/chopsticks-db@0.15.0': + '@acala-network/chopsticks-db@0.15.0(bufferutil@4.0.8)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10)': dependencies: - '@acala-network/chopsticks-core': 0.15.0 + '@acala-network/chopsticks-core': 0.15.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/util': 13.1.1 idb: 8.0.0 sqlite3: 5.1.7 - typeorm: 0.3.20(sqlite3@5.1.7) + typeorm: 0.3.20(sqlite3@5.1.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2)) transitivePeerDependencies: - '@google-cloud/spanner' - '@sap/hana-client' @@ -6279,14 +6274,14 @@ snapshots: '@polkadot/util': 13.1.1 '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - '@acala-network/chopsticks@0.15.0(debug@4.3.7)': + '@acala-network/chopsticks@0.15.0(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10)': dependencies: - '@acala-network/chopsticks-core': 0.15.0 - '@acala-network/chopsticks-db': 0.15.0 + '@acala-network/chopsticks-core': 0.15.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@acala-network/chopsticks-db': 0.15.0(bufferutil@4.0.8)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) '@pnpm/npm-conf': 2.2.2 - '@polkadot/api': 12.4.2 - '@polkadot/api-augment': 12.4.2 - '@polkadot/rpc-provider': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) @@ -6297,7 +6292,7 @@ snapshots: js-yaml: 4.1.0 jsondiffpatch: 0.5.0 lodash: 4.17.21 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) yargs: 17.7.2 zod: 3.23.8 transitivePeerDependencies: @@ -6355,9 +6350,9 @@ snapshots: '@babel/helper-validator-identifier': 7.24.7 to-fast-properties: 2.0.0 - '@bifrost-finance/type-definitions@1.11.3(@polkadot/api@12.4.2)': + '@bifrost-finance/type-definitions@1.11.3(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))': dependencies: - '@polkadot/api': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@colors/colors@1.5.0': optional: true @@ -6374,9 +6369,9 @@ snapshots: '@darwinia/types@2.8.10': {} - '@digitalnative/type-definitions@1.1.27(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@digitalnative/type-definitions@1.1.27(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: - '@polkadot/keyring': 6.11.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 6.11.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types': 4.17.1 transitivePeerDependencies: - '@polkadot/util' @@ -6700,20 +6695,20 @@ snapshots: '@ethersproject/properties': 5.7.0 '@ethersproject/strings': 5.7.0 - '@fragnova/api-augment@0.1.0-spec-1.0.4-mainnet': + '@fragnova/api-augment@0.1.0-spec-1.0.4-mainnet(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 9.14.2 - '@polkadot/rpc-provider': 9.14.2 + '@polkadot/api': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@frequency-chain/api-augment@1.11.1': + '@frequency-chain/api-augment@1.11.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 10.13.1 - '@polkadot/rpc-provider': 10.13.1 + '@polkadot/api': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 transitivePeerDependencies: - bufferutil @@ -6765,9 +6760,9 @@ snapshots: dependencies: '@open-web3/orml-type-definitions': 0.8.2-11 - '@logion/node-api@0.27.0-4': + '@logion/node-api@0.27.0-4(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 10.13.1 + '@polkadot/api': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) '@types/uuid': 9.0.8 @@ -6788,23 +6783,23 @@ snapshots: '@moonbeam-network/api-augment@0.2902.0': {} - '@moonwall/cli@5.3.3(@acala-network/chopsticks@0.15.0)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1)': + '@moonwall/cli@5.3.3(@acala-network/chopsticks@0.15.0(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10))(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@types/node@22.7.0)(@vitest/ui@2.1.1(vitest@2.1.1))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8)': dependencies: - '@acala-network/chopsticks': 0.15.0(debug@4.3.7) + '@acala-network/chopsticks': 0.15.0(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) '@moonbeam-network/api-augment': 0.2902.0 - '@moonwall/types': 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2) - '@moonwall/util': 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1) + '@moonwall/types': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + '@moonwall/util': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8) '@octokit/rest': 21.0.0 - '@polkadot/api': 13.0.1 - '@polkadot/api-derive': 12.1.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/api': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types': 12.1.1 '@polkadot/types-codec': 12.1.1 '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) '@vitest/ui': 2.1.1(vitest@2.1.1) - '@zombienet/orchestrator': 0.0.87(@polkadot/util@12.6.2)(@types/node@22.7.0) - '@zombienet/utils': 0.0.25(@types/node@22.7.0)(typescript@5.6.2) + '@zombienet/orchestrator': 0.0.87(@polkadot/util@12.6.2)(@types/node@22.7.0)(bufferutil@4.0.8)(chokidar@3.6.0)(utf-8-validate@5.0.10) + '@zombienet/utils': 0.0.25(@types/node@22.7.0)(chokidar@3.6.0)(typescript@5.6.2) bottleneck: 2.19.5 cfonts: 3.3.0 chalk: 5.3.0 @@ -6813,19 +6808,19 @@ snapshots: colors: 1.4.0 debug: 4.3.5 dotenv: 16.4.5 - ethers: 6.13.1 + ethers: 6.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) get-port: 7.1.0 inquirer: 9.3.3 inquirer-press-to-continue: 1.2.0(inquirer@9.3.3) jsonc-parser: 3.3.1 minimatch: 9.0.5 semver: 7.6.2 - viem: 2.17.3(typescript@5.6.2) - vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) + viem: 2.17.3(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) vue: 3.4.31(typescript@5.6.2) - web3: 4.10.0(typescript@5.6.2) - web3-providers-ws: 4.0.7 - ws: 8.18.0 + web3: 4.10.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) yaml: 2.4.5 yargs: 17.7.2 transitivePeerDependencies: @@ -6841,21 +6836,21 @@ snapshots: - utf-8-validate - zod - '@moonwall/types@5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)': + '@moonwall/types@5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8)': dependencies: - '@polkadot/api': 13.0.1 - '@polkadot/api-base': 12.1.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/api': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types': 12.1.1 '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) '@types/node': 20.14.10 - '@zombienet/utils': 0.0.25(@types/node@20.14.10)(typescript@5.6.2) + '@zombienet/utils': 0.0.25(@types/node@20.14.10)(chokidar@3.6.0)(typescript@5.6.2) bottleneck: 2.19.5 debug: 4.3.5 - ethers: 6.13.1 - viem: 2.17.3(typescript@5.6.2) - web3: 4.10.0(typescript@5.6.2) + ethers: 6.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + viem: 2.17.3(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3: 4.10.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) transitivePeerDependencies: - '@swc/core' - '@swc/wasm' @@ -6867,14 +6862,14 @@ snapshots: - utf-8-validate - zod - '@moonwall/util@5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1)': + '@moonwall/util@5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8)': dependencies: '@moonbeam-network/api-augment': 0.2902.0 - '@moonwall/types': 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2) - '@polkadot/api': 13.0.1 - '@polkadot/api-derive': 12.1.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) - '@polkadot/rpc-provider': 12.1.1 + '@moonwall/types': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + '@polkadot/api': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) + '@polkadot/rpc-provider': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/types-codec': 12.1.1 '@polkadot/util': 12.6.2 @@ -6886,15 +6881,15 @@ snapshots: colors: 1.4.0 debug: 4.3.5 dotenv: 16.4.5 - ethers: 6.13.1 + ethers: 6.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) inquirer: 9.3.3 inquirer-press-to-continue: 1.2.0(inquirer@9.3.3) rlp: 3.0.0 semver: 7.6.2 - viem: 2.17.3(typescript@5.6.2) - vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) - web3: 4.10.0(typescript@5.6.2) - ws: 8.18.0 + viem: 2.17.3(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) + web3: 4.10.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) yaml: 2.4.5 yargs: 17.7.2 transitivePeerDependencies: @@ -7301,10 +7296,10 @@ snapshots: '@polkadot-api/utils@0.1.1': {} - '@polkadot/api-augment@10.13.1': + '@polkadot/api-augment@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 10.13.1 - '@polkadot/rpc-augment': 10.13.1 + '@polkadot/api-base': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 '@polkadot/types-augment': 10.13.1 '@polkadot/types-codec': 10.13.1 @@ -7315,10 +7310,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@11.3.1': + '@polkadot/api-augment@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 11.3.1 - '@polkadot/rpc-augment': 11.3.1 + '@polkadot/api-base': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 11.3.1 '@polkadot/types-augment': 11.3.1 '@polkadot/types-codec': 11.3.1 @@ -7329,10 +7324,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@12.1.1': + '@polkadot/api-augment@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 12.1.1 - '@polkadot/rpc-augment': 12.1.1 + '@polkadot/api-base': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/types-augment': 12.1.1 '@polkadot/types-codec': 12.1.1 @@ -7343,10 +7338,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@12.4.2': + '@polkadot/api-augment@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 12.4.2 - '@polkadot/rpc-augment': 12.4.2 + '@polkadot/api-base': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/types-augment': 12.4.2 '@polkadot/types-codec': 12.4.2 @@ -7357,10 +7352,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@13.0.1': + '@polkadot/api-augment@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 13.0.1 - '@polkadot/rpc-augment': 13.0.1 + '@polkadot/api-base': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.0.1 '@polkadot/types-augment': 13.0.1 '@polkadot/types-codec': 13.0.1 @@ -7371,10 +7366,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@13.2.1': + '@polkadot/api-augment@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 13.2.1 - '@polkadot/rpc-augment': 13.2.1 + '@polkadot/api-base': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.2.1 '@polkadot/types-augment': 13.2.1 '@polkadot/types-codec': 13.2.1 @@ -7385,11 +7380,11 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@7.15.1': + '@polkadot/api-augment@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/api-base': 7.15.1 - '@polkadot/rpc-augment': 7.15.1 + '@polkadot/api-base': 7.15.1(encoding@0.1.13) + '@polkadot/rpc-augment': 7.15.1(encoding@0.1.13) '@polkadot/types': 7.15.1 '@polkadot/types-augment': 7.15.1 '@polkadot/types-codec': 7.15.1 @@ -7398,11 +7393,11 @@ snapshots: - encoding - supports-color - '@polkadot/api-augment@9.14.2': + '@polkadot/api-augment@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/api-base': 9.14.2 - '@polkadot/rpc-augment': 9.14.2 + '@polkadot/api-base': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 '@polkadot/types-augment': 9.14.2 '@polkadot/types-codec': 9.14.2 @@ -7412,9 +7407,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@10.13.1': + '@polkadot/api-base@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 10.13.1 + '@polkadot/rpc-core': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 '@polkadot/util': 12.6.2 rxjs: 7.8.1 @@ -7424,9 +7419,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@11.3.1': + '@polkadot/api-base@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 11.3.1 + '@polkadot/rpc-core': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 11.3.1 '@polkadot/util': 12.6.2 rxjs: 7.8.1 @@ -7436,9 +7431,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@12.1.1': + '@polkadot/api-base@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 12.1.1 + '@polkadot/rpc-core': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/util': 12.6.2 rxjs: 7.8.1 @@ -7448,9 +7443,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@12.4.2': + '@polkadot/api-base@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 12.4.2 + '@polkadot/rpc-core': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/util': 13.1.1 rxjs: 7.8.1 @@ -7460,9 +7455,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@13.0.1': + '@polkadot/api-base@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 13.0.1 + '@polkadot/rpc-core': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.0.1 '@polkadot/util': 13.1.1 rxjs: 7.8.1 @@ -7472,9 +7467,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@13.2.1': + '@polkadot/api-base@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 13.2.1 + '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.2.1 '@polkadot/util': 13.1.1 rxjs: 7.8.1 @@ -7484,10 +7479,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@7.15.1': + '@polkadot/api-base@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/rpc-core': 7.15.1 + '@polkadot/rpc-core': 7.15.1(encoding@0.1.13) '@polkadot/types': 7.15.1 '@polkadot/util': 8.7.1 rxjs: 7.8.1 @@ -7495,10 +7490,10 @@ snapshots: - encoding - supports-color - '@polkadot/api-base@9.14.2': + '@polkadot/api-base@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/rpc-core': 9.14.2 + '@polkadot/rpc-core': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 '@polkadot/util': 10.4.2 rxjs: 7.8.1 @@ -7507,12 +7502,12 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@10.13.1': + '@polkadot/api-derive@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 10.13.1 - '@polkadot/api-augment': 10.13.1 - '@polkadot/api-base': 10.13.1 - '@polkadot/rpc-core': 10.13.1 + '@polkadot/api': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 '@polkadot/types-codec': 10.13.1 '@polkadot/util': 12.6.2 @@ -7524,12 +7519,12 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@11.3.1': + '@polkadot/api-derive@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 11.3.1 - '@polkadot/api-augment': 11.3.1 - '@polkadot/api-base': 11.3.1 - '@polkadot/rpc-core': 11.3.1 + '@polkadot/api': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 11.3.1 '@polkadot/types-codec': 11.3.1 '@polkadot/util': 12.6.2 @@ -7541,12 +7536,12 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@12.1.1': + '@polkadot/api-derive@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 12.1.1 - '@polkadot/api-augment': 12.1.1 - '@polkadot/api-base': 12.1.1 - '@polkadot/rpc-core': 12.1.1 + '@polkadot/api': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/types-codec': 12.1.1 '@polkadot/util': 12.6.2 @@ -7558,12 +7553,12 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@12.4.2': + '@polkadot/api-derive@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 12.4.2 - '@polkadot/api-augment': 12.4.2 - '@polkadot/api-base': 12.4.2 - '@polkadot/rpc-core': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/types-codec': 12.4.2 '@polkadot/util': 13.1.1 @@ -7575,12 +7570,12 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@13.0.1': + '@polkadot/api-derive@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 13.0.1 - '@polkadot/api-augment': 13.0.1 - '@polkadot/api-base': 13.0.1 - '@polkadot/rpc-core': 13.0.1 + '@polkadot/api': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.0.1 '@polkadot/types-codec': 13.0.1 '@polkadot/util': 13.1.1 @@ -7592,12 +7587,12 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@13.2.1': + '@polkadot/api-derive@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 13.2.1 - '@polkadot/api-augment': 13.2.1 - '@polkadot/api-base': 13.2.1 - '@polkadot/rpc-core': 13.2.1 + '@polkadot/api': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.2.1 '@polkadot/types-codec': 13.2.1 '@polkadot/util': 13.1.1 @@ -7609,13 +7604,13 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@7.15.1': + '@polkadot/api-derive@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/api': 7.15.1 - '@polkadot/api-augment': 7.15.1 - '@polkadot/api-base': 7.15.1 - '@polkadot/rpc-core': 7.15.1 + '@polkadot/api': 7.15.1(encoding@0.1.13) + '@polkadot/api-augment': 7.15.1(encoding@0.1.13) + '@polkadot/api-base': 7.15.1(encoding@0.1.13) + '@polkadot/rpc-core': 7.15.1(encoding@0.1.13) '@polkadot/types': 7.15.1 '@polkadot/types-codec': 7.15.1 '@polkadot/util': 8.7.1 @@ -7625,13 +7620,13 @@ snapshots: - encoding - supports-color - '@polkadot/api-derive@9.14.2': + '@polkadot/api-derive@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/api': 9.14.2 - '@polkadot/api-augment': 9.14.2 - '@polkadot/api-base': 9.14.2 - '@polkadot/rpc-core': 9.14.2 + '@polkadot/api': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 '@polkadot/types-codec': 9.14.2 '@polkadot/util': 10.4.2 @@ -7642,15 +7637,15 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@10.13.1': + '@polkadot/api@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 10.13.1 - '@polkadot/api-base': 10.13.1 - '@polkadot/api-derive': 10.13.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) - '@polkadot/rpc-augment': 10.13.1 - '@polkadot/rpc-core': 10.13.1 - '@polkadot/rpc-provider': 10.13.1 + '@polkadot/api-augment': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) + '@polkadot/rpc-augment': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 '@polkadot/types-augment': 10.13.1 '@polkadot/types-codec': 10.13.1 @@ -7666,15 +7661,15 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@11.3.1': + '@polkadot/api@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 11.3.1 - '@polkadot/api-base': 11.3.1 - '@polkadot/api-derive': 11.3.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) - '@polkadot/rpc-augment': 11.3.1 - '@polkadot/rpc-core': 11.3.1 - '@polkadot/rpc-provider': 11.3.1 + '@polkadot/api-augment': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) + '@polkadot/rpc-augment': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 11.3.1 '@polkadot/types-augment': 11.3.1 '@polkadot/types-codec': 11.3.1 @@ -7690,15 +7685,15 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@12.1.1': + '@polkadot/api@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 12.1.1 - '@polkadot/api-base': 12.1.1 - '@polkadot/api-derive': 12.1.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) - '@polkadot/rpc-augment': 12.1.1 - '@polkadot/rpc-core': 12.1.1 - '@polkadot/rpc-provider': 12.1.1 + '@polkadot/api-augment': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) + '@polkadot/rpc-augment': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/types-augment': 12.1.1 '@polkadot/types-codec': 12.1.1 @@ -7714,15 +7709,15 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@12.4.2': + '@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 12.4.2 - '@polkadot/api-base': 12.4.2 - '@polkadot/api-derive': 12.4.2 - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/rpc-augment': 12.4.2 - '@polkadot/rpc-core': 12.4.2 - '@polkadot/rpc-provider': 12.4.2 + '@polkadot/api-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) + '@polkadot/rpc-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/types-augment': 12.4.2 '@polkadot/types-codec': 12.4.2 @@ -7738,15 +7733,15 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@13.0.1': + '@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 13.0.1 - '@polkadot/api-base': 13.0.1 - '@polkadot/api-derive': 13.0.1 - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/rpc-augment': 13.0.1 - '@polkadot/rpc-core': 13.0.1 - '@polkadot/rpc-provider': 13.0.1 + '@polkadot/api-augment': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) + '@polkadot/rpc-augment': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.0.1 '@polkadot/types-augment': 13.0.1 '@polkadot/types-codec': 13.0.1 @@ -7762,15 +7757,15 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@13.2.1': + '@polkadot/api@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 13.2.1 - '@polkadot/api-base': 13.2.1 - '@polkadot/api-derive': 13.2.1 - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/rpc-augment': 13.2.1 - '@polkadot/rpc-core': 13.2.1 - '@polkadot/rpc-provider': 13.2.1 + '@polkadot/api-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) + '@polkadot/rpc-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.2.1 '@polkadot/types-augment': 13.2.1 '@polkadot/types-codec': 13.2.1 @@ -7786,16 +7781,16 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@7.15.1': + '@polkadot/api@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/api-augment': 7.15.1 - '@polkadot/api-base': 7.15.1 - '@polkadot/api-derive': 7.15.1 - '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1) - '@polkadot/rpc-augment': 7.15.1 - '@polkadot/rpc-core': 7.15.1 - '@polkadot/rpc-provider': 7.15.1 + '@polkadot/api-augment': 7.15.1(encoding@0.1.13) + '@polkadot/api-base': 7.15.1(encoding@0.1.13) + '@polkadot/api-derive': 7.15.1(encoding@0.1.13) + '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1(@polkadot/util@8.7.1))(@polkadot/util@8.7.1) + '@polkadot/rpc-augment': 7.15.1(encoding@0.1.13) + '@polkadot/rpc-core': 7.15.1(encoding@0.1.13) + '@polkadot/rpc-provider': 7.15.1(encoding@0.1.13) '@polkadot/types': 7.15.1 '@polkadot/types-augment': 7.15.1 '@polkadot/types-codec': 7.15.1 @@ -7809,16 +7804,16 @@ snapshots: - encoding - supports-color - '@polkadot/api@9.14.2': + '@polkadot/api@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/api-augment': 9.14.2 - '@polkadot/api-base': 9.14.2 - '@polkadot/api-derive': 9.14.2 - '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2) - '@polkadot/rpc-augment': 9.14.2 - '@polkadot/rpc-core': 9.14.2 - '@polkadot/rpc-provider': 9.14.2 + '@polkadot/api-augment': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2(@polkadot/util@10.4.2))(@polkadot/util@10.4.2) + '@polkadot/rpc-augment': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 '@polkadot/types-augment': 9.14.2 '@polkadot/types-codec': 9.14.2 @@ -7833,52 +7828,52 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/apps-config@0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1)': + '@polkadot/apps-config@0.143.2(@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1))(bufferutil@4.0.8)(encoding@0.1.13)(react-dom@18.3.1(react@18.3.1))(react-is@18.3.1)(react@18.3.1)(utf-8-validate@5.0.10)': dependencies: '@acala-network/type-definitions': 5.1.2(@polkadot/types@12.4.2) - '@bifrost-finance/type-definitions': 1.11.3(@polkadot/api@12.4.2) + '@bifrost-finance/type-definitions': 1.11.3(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)) '@crustio/type-definitions': 1.3.0 '@darwinia/types': 2.8.10 '@darwinia/types-known': 2.8.10 - '@digitalnative/type-definitions': 1.1.27(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@digitalnative/type-definitions': 1.1.27(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@docknetwork/node-types': 0.16.0 '@edgeware/node-types': 3.6.2-wako '@equilab/definitions': 1.4.18 - '@fragnova/api-augment': 0.1.0-spec-1.0.4-mainnet - '@frequency-chain/api-augment': 1.11.1 + '@fragnova/api-augment': 0.1.0-spec-1.0.4-mainnet(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@frequency-chain/api-augment': 1.11.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@interlay/interbtc-types': 1.13.0 '@kiltprotocol/type-definitions': 0.35.1 '@laminar/type-definitions': 0.3.1 - '@logion/node-api': 0.27.0-4 + '@logion/node-api': 0.27.0-4(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@mangata-finance/type-definitions': 2.1.2(@polkadot/types@12.4.2) '@metaverse-network-sdk/type-definitions': 0.0.1-16 '@parallel-finance/type-definitions': 2.0.1 '@peaqnetwork/type-definitions': 0.0.4 '@pendulum-chain/type-definitions': 0.3.8 '@phala/typedefs': 0.2.33 - '@polkadot/api': 12.4.2 - '@polkadot/api-derive': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/networks': 13.1.1 - '@polkadot/react-identicon': 3.10.1(@polkadot/keyring@13.1.1)(@polkadot/networks@13.1.1)(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1) + '@polkadot/react-identicon': 3.10.1(@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1))(@polkadot/networks@13.1.1)(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(react-dom@18.3.1(react@18.3.1))(react-is@18.3.1)(react@18.3.1) '@polkadot/types': 12.4.2 '@polkadot/types-codec': 12.4.2 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-fetch': 13.1.1 - '@polkadot/x-ws': 13.1.1 + '@polkadot/x-ws': 13.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polymeshassociation/polymesh-types': 5.7.0 - '@snowfork/snowbridge-types': 0.2.7(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@snowfork/snowbridge-types': 0.2.7(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(encoding@0.1.13) '@sora-substrate/type-definitions': 1.27.7 - '@subsocial/definitions': 0.8.14 - '@unique-nft/opal-testnet-types': 1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2) - '@unique-nft/quartz-mainnet-types': 1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2) - '@unique-nft/sapphire-mainnet-types': 1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2) - '@unique-nft/unique-mainnet-types': 1001.63.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2) + '@subsocial/definitions': 0.8.14(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@unique-nft/opal-testnet-types': 1003.70.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2) + '@unique-nft/quartz-mainnet-types': 1003.70.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2) + '@unique-nft/sapphire-mainnet-types': 1003.70.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2) + '@unique-nft/unique-mainnet-types': 1001.63.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2) '@zeitgeistpm/type-defs': 1.0.0 '@zeroio/type-definitions': 0.0.14 - moonbeam-types-bundle: 2.0.10 - pontem-types-bundle: 1.0.15(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + moonbeam-types-bundle: 2.0.10(bufferutil@4.0.8)(utf-8-validate@5.0.10) + pontem-types-bundle: 1.0.15(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) rxjs: 7.8.1 tslib: 2.7.0 transitivePeerDependencies: @@ -7891,49 +7886,49 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/keyring@10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2)': + '@polkadot/keyring@10.4.2(@polkadot/util-crypto@10.4.2(@polkadot/util@10.4.2))(@polkadot/util@10.4.2)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 10.4.2 '@polkadot/util-crypto': 10.4.2(@polkadot/util@10.4.2) - '@polkadot/keyring@12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2)': + '@polkadot/keyring@12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2)': dependencies: '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) tslib: 2.7.0 - '@polkadot/keyring@12.6.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@polkadot/keyring@12.6.2(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) tslib: 2.7.0 - '@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) tslib: 2.7.0 - '@polkadot/keyring@6.11.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@polkadot/keyring@6.11.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - '@polkadot/keyring@7.9.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@polkadot/keyring@7.9.2(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - '@polkadot/keyring@8.7.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@polkadot/keyring@8.7.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - '@polkadot/keyring@8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1)': + '@polkadot/keyring@8.7.1(@polkadot/util-crypto@8.7.1(@polkadot/util@8.7.1))(@polkadot/util@8.7.1)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/util': 8.7.1 @@ -7975,11 +7970,11 @@ snapshots: '@polkadot/util': 8.7.1 '@substrate/ss58-registry': 1.50.0 - '@polkadot/react-identicon@3.10.1(@polkadot/keyring@13.1.1)(@polkadot/networks@13.1.1)(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1)': + '@polkadot/react-identicon@3.10.1(@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1))(@polkadot/networks@13.1.1)(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(react-dom@18.3.1(react@18.3.1))(react-is@18.3.1)(react@18.3.1)': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/ui-settings': 3.10.1(@polkadot/networks@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/ui-shared': 3.10.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/ui-shared': 3.10.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) ethereum-blockies-base64: 1.0.2 @@ -7988,14 +7983,14 @@ snapshots: react-copy-to-clipboard: 5.1.0(react@18.3.1) react-dom: 18.3.1(react@18.3.1) react-is: 18.3.1 - styled-components: 6.1.11(react-dom@18.3.1)(react@18.3.1) + styled-components: 6.1.11(react-dom@18.3.1(react@18.3.1))(react@18.3.1) tslib: 2.7.0 transitivePeerDependencies: - '@polkadot/networks' - '@polkadot/rpc-augment@10.13.1': + '@polkadot/rpc-augment@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 10.13.1 + '@polkadot/rpc-core': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 '@polkadot/types-codec': 10.13.1 '@polkadot/util': 12.6.2 @@ -8005,9 +8000,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@11.3.1': + '@polkadot/rpc-augment@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 11.3.1 + '@polkadot/rpc-core': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 11.3.1 '@polkadot/types-codec': 11.3.1 '@polkadot/util': 12.6.2 @@ -8017,9 +8012,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@12.1.1': + '@polkadot/rpc-augment@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 12.1.1 + '@polkadot/rpc-core': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/types-codec': 12.1.1 '@polkadot/util': 12.6.2 @@ -8029,9 +8024,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@12.4.2': + '@polkadot/rpc-augment@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 12.4.2 + '@polkadot/rpc-core': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/types-codec': 12.4.2 '@polkadot/util': 13.1.1 @@ -8041,9 +8036,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@13.0.1': + '@polkadot/rpc-augment@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 13.0.1 + '@polkadot/rpc-core': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.0.1 '@polkadot/types-codec': 13.0.1 '@polkadot/util': 13.1.1 @@ -8053,9 +8048,9 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@13.2.1': + '@polkadot/rpc-augment@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 13.2.1 + '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.2.1 '@polkadot/types-codec': 13.2.1 '@polkadot/util': 13.1.1 @@ -8065,10 +8060,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@7.15.1': + '@polkadot/rpc-augment@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/rpc-core': 7.15.1 + '@polkadot/rpc-core': 7.15.1(encoding@0.1.13) '@polkadot/types': 7.15.1 '@polkadot/types-codec': 7.15.1 '@polkadot/util': 8.7.1 @@ -8076,10 +8071,10 @@ snapshots: - encoding - supports-color - '@polkadot/rpc-augment@9.14.2': + '@polkadot/rpc-augment@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/rpc-core': 9.14.2 + '@polkadot/rpc-core': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 '@polkadot/types-codec': 9.14.2 '@polkadot/util': 10.4.2 @@ -8088,10 +8083,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@10.13.1': + '@polkadot/rpc-core@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 10.13.1 - '@polkadot/rpc-provider': 10.13.1 + '@polkadot/rpc-augment': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 10.13.1 '@polkadot/util': 12.6.2 rxjs: 7.8.1 @@ -8101,10 +8096,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@11.3.1': + '@polkadot/rpc-core@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 11.3.1 - '@polkadot/rpc-provider': 11.3.1 + '@polkadot/rpc-augment': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 11.3.1 '@polkadot/util': 12.6.2 rxjs: 7.8.1 @@ -8114,10 +8109,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@12.1.1': + '@polkadot/rpc-core@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 12.1.1 - '@polkadot/rpc-provider': 12.1.1 + '@polkadot/rpc-augment': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.1.1 '@polkadot/util': 12.6.2 rxjs: 7.8.1 @@ -8127,10 +8122,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@12.4.2': + '@polkadot/rpc-core@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 12.4.2 - '@polkadot/rpc-provider': 12.4.2 + '@polkadot/rpc-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/util': 13.1.1 rxjs: 7.8.1 @@ -8140,10 +8135,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@13.0.1': + '@polkadot/rpc-core@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 13.0.1 - '@polkadot/rpc-provider': 13.0.1 + '@polkadot/rpc-augment': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.0.1 '@polkadot/util': 13.1.1 rxjs: 7.8.1 @@ -8153,10 +8148,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@13.2.1': + '@polkadot/rpc-core@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 13.2.1 - '@polkadot/rpc-provider': 13.2.1 + '@polkadot/rpc-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 13.2.1 '@polkadot/util': 13.1.1 rxjs: 7.8.1 @@ -8166,11 +8161,11 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@7.15.1': + '@polkadot/rpc-core@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/rpc-augment': 7.15.1 - '@polkadot/rpc-provider': 7.15.1 + '@polkadot/rpc-augment': 7.15.1(encoding@0.1.13) + '@polkadot/rpc-provider': 7.15.1(encoding@0.1.13) '@polkadot/types': 7.15.1 '@polkadot/util': 8.7.1 rxjs: 7.8.1 @@ -8178,11 +8173,11 @@ snapshots: - encoding - supports-color - '@polkadot/rpc-core@9.14.2': + '@polkadot/rpc-core@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/rpc-augment': 9.14.2 - '@polkadot/rpc-provider': 9.14.2 + '@polkadot/rpc-augment': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 9.14.2 '@polkadot/util': 10.4.2 rxjs: 7.8.1 @@ -8191,141 +8186,141 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-provider@10.13.1': + '@polkadot/rpc-provider@10.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types': 10.13.1 '@polkadot/types-support': 10.13.1 '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) '@polkadot/x-fetch': 12.6.2 '@polkadot/x-global': 12.6.2 - '@polkadot/x-ws': 12.6.2 + '@polkadot/x-ws': 12.6.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 5.0.1 mock-socket: 9.3.1 nock: 13.5.4 tslib: 2.7.0 optionalDependencies: - '@substrate/connect': 0.8.8 + '@substrate/connect': 0.8.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@polkadot/rpc-provider@11.3.1': + '@polkadot/rpc-provider@11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types': 11.3.1 '@polkadot/types-support': 11.3.1 '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) '@polkadot/x-fetch': 12.6.2 '@polkadot/x-global': 12.6.2 - '@polkadot/x-ws': 12.6.2 + '@polkadot/x-ws': 12.6.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 5.0.1 mock-socket: 9.3.1 nock: 13.5.4 tslib: 2.7.0 optionalDependencies: - '@substrate/connect': 0.8.10 + '@substrate/connect': 0.8.10(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@polkadot/rpc-provider@12.1.1': + '@polkadot/rpc-provider@12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types': 12.1.1 '@polkadot/types-support': 12.1.1 '@polkadot/util': 12.6.2 '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) '@polkadot/x-fetch': 12.6.2 '@polkadot/x-global': 12.6.2 - '@polkadot/x-ws': 12.6.2 + '@polkadot/x-ws': 12.6.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 5.0.1 mock-socket: 9.3.1 nock: 13.5.4 tslib: 2.7.0 optionalDependencies: - '@substrate/connect': 0.8.10 + '@substrate/connect': 0.8.10(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@polkadot/rpc-provider@12.4.2': + '@polkadot/rpc-provider@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types': 12.4.2 '@polkadot/types-support': 12.4.2 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) '@polkadot/x-fetch': 13.1.1 '@polkadot/x-global': 13.1.1 - '@polkadot/x-ws': 13.1.1 + '@polkadot/x-ws': 13.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 5.0.1 mock-socket: 9.3.1 nock: 13.5.4 tslib: 2.7.0 optionalDependencies: - '@substrate/connect': 0.8.11 + '@substrate/connect': 0.8.11(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@polkadot/rpc-provider@13.0.1': + '@polkadot/rpc-provider@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types': 13.0.1 '@polkadot/types-support': 13.0.1 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) '@polkadot/x-fetch': 13.1.1 '@polkadot/x-global': 13.1.1 - '@polkadot/x-ws': 13.1.1 + '@polkadot/x-ws': 13.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 5.0.1 mock-socket: 9.3.1 nock: 13.5.4 tslib: 2.7.0 optionalDependencies: - '@substrate/connect': 0.8.11 + '@substrate/connect': 0.8.11(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@polkadot/rpc-provider@13.2.1': + '@polkadot/rpc-provider@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types': 13.2.1 '@polkadot/types-support': 13.2.1 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) '@polkadot/x-fetch': 13.1.1 '@polkadot/x-global': 13.1.1 - '@polkadot/x-ws': 13.1.1 + '@polkadot/x-ws': 13.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 5.0.1 mock-socket: 9.3.1 nock: 13.5.4 tslib: 2.7.0 optionalDependencies: - '@substrate/connect': 0.8.11 + '@substrate/connect': 0.8.11(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color - utf-8-validate - '@polkadot/rpc-provider@7.15.1': + '@polkadot/rpc-provider@7.15.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1) + '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1(@polkadot/util@8.7.1))(@polkadot/util@8.7.1) '@polkadot/types': 7.15.1 '@polkadot/types-support': 7.15.1 '@polkadot/util': 8.7.1 '@polkadot/util-crypto': 8.7.1(@polkadot/util@8.7.1) - '@polkadot/x-fetch': 8.7.1 + '@polkadot/x-fetch': 8.7.1(encoding@0.1.13) '@polkadot/x-global': 8.7.1 '@polkadot/x-ws': 8.7.1 '@substrate/connect': 0.7.0-alpha.0 @@ -8336,10 +8331,10 @@ snapshots: - encoding - supports-color - '@polkadot/rpc-provider@9.14.2': + '@polkadot/rpc-provider@9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2) + '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2(@polkadot/util@10.4.2))(@polkadot/util@10.4.2) '@polkadot/types': 9.14.2 '@polkadot/types-support': 9.14.2 '@polkadot/util': 10.4.2 @@ -8351,7 +8346,7 @@ snapshots: mock-socket: 9.3.1 nock: 13.5.4 optionalDependencies: - '@substrate/connect': 0.7.19 + '@substrate/connect': 0.7.19(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color @@ -8636,7 +8631,7 @@ snapshots: '@polkadot/types@10.13.1': dependencies: - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types-augment': 10.13.1 '@polkadot/types-codec': 10.13.1 '@polkadot/types-create': 10.13.1 @@ -8647,7 +8642,7 @@ snapshots: '@polkadot/types@11.3.1': dependencies: - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types-augment': 11.3.1 '@polkadot/types-codec': 11.3.1 '@polkadot/types-create': 11.3.1 @@ -8658,7 +8653,7 @@ snapshots: '@polkadot/types@12.1.1': dependencies: - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/types-augment': 12.1.1 '@polkadot/types-codec': 12.1.1 '@polkadot/types-create': 12.1.1 @@ -8669,7 +8664,7 @@ snapshots: '@polkadot/types@12.4.2': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types-augment': 12.4.2 '@polkadot/types-codec': 12.4.2 '@polkadot/types-create': 12.4.2 @@ -8680,7 +8675,7 @@ snapshots: '@polkadot/types@13.0.1': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types-augment': 13.0.1 '@polkadot/types-codec': 13.0.1 '@polkadot/types-create': 13.0.1 @@ -8691,7 +8686,7 @@ snapshots: '@polkadot/types@13.2.1': dependencies: - '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types-augment': 13.2.1 '@polkadot/types-codec': 13.2.1 '@polkadot/types-create': 13.2.1 @@ -8719,7 +8714,7 @@ snapshots: '@polkadot/types@7.15.1': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1)(@polkadot/util@8.7.1) + '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@8.7.1(@polkadot/util@8.7.1))(@polkadot/util@8.7.1) '@polkadot/types-augment': 7.15.1 '@polkadot/types-codec': 7.15.1 '@polkadot/types-create': 7.15.1 @@ -8730,7 +8725,7 @@ snapshots: '@polkadot/types@9.14.2': dependencies: '@babel/runtime': 7.25.6 - '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2)(@polkadot/util@10.4.2) + '@polkadot/keyring': 10.4.2(@polkadot/util-crypto@10.4.2(@polkadot/util@10.4.2))(@polkadot/util@10.4.2) '@polkadot/types-augment': 9.14.2 '@polkadot/types-codec': 9.14.2 '@polkadot/types-create': 9.14.2 @@ -8746,7 +8741,7 @@ snapshots: store: 2.0.12 tslib: 2.7.0 - '@polkadot/ui-shared@3.10.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@polkadot/ui-shared@3.10.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)': dependencies: '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) @@ -8773,10 +8768,10 @@ snapshots: '@noble/hashes': 1.4.0 '@polkadot/networks': 12.6.2 '@polkadot/util': 12.6.2 - '@polkadot/wasm-crypto': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2) + '@polkadot/wasm-crypto': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) '@polkadot/x-bigint': 12.6.2 - '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) '@scure/base': 1.1.7 tslib: 2.7.0 @@ -8786,10 +8781,10 @@ snapshots: '@noble/hashes': 1.4.0 '@polkadot/networks': 13.1.1 '@polkadot/util': 13.1.1 - '@polkadot/wasm-crypto': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1) + '@polkadot/wasm-crypto': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-bigint': 13.1.1 - '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) '@scure/base': 1.1.7 tslib: 2.7.0 @@ -8883,18 +8878,18 @@ snapshots: '@polkadot/util': 10.4.2 '@polkadot/x-randomvalues': 10.4.2 - '@polkadot/wasm-bridge@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2)': + '@polkadot/wasm-bridge@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)))': dependencies: '@polkadot/util': 12.6.2 '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) - '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) tslib: 2.7.0 - '@polkadot/wasm-bridge@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1)': + '@polkadot/wasm-bridge@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)))': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) tslib: 2.7.0 '@polkadot/wasm-crypto-asmjs@4.6.1(@polkadot/util@6.11.1)': @@ -8931,24 +8926,24 @@ snapshots: '@polkadot/wasm-crypto-wasm': 6.4.1(@polkadot/util@10.4.2) '@polkadot/x-randomvalues': 10.4.2 - '@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2)': + '@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)))': dependencies: '@polkadot/util': 12.6.2 - '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2) + '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-crypto-asmjs': 7.3.2(@polkadot/util@12.6.2) '@polkadot/wasm-crypto-wasm': 7.3.2(@polkadot/util@12.6.2) '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) - '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) tslib: 2.7.0 - '@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1)': + '@polkadot/wasm-crypto-init@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)))': dependencies: '@polkadot/util': 13.1.1 - '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1) + '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-crypto-asmjs': 7.3.2(@polkadot/util@13.1.1) '@polkadot/wasm-crypto-wasm': 7.3.2(@polkadot/util@13.1.1) '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) tslib: 2.7.0 '@polkadot/wasm-crypto-wasm@4.6.1(@polkadot/util@6.11.1)': @@ -9006,26 +9001,26 @@ snapshots: '@polkadot/wasm-util': 6.4.1(@polkadot/util@10.4.2) '@polkadot/x-randomvalues': 10.4.2 - '@polkadot/wasm-crypto@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2)': + '@polkadot/wasm-crypto@7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)))': dependencies: '@polkadot/util': 12.6.2 - '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2) + '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-crypto-asmjs': 7.3.2(@polkadot/util@12.6.2) - '@polkadot/wasm-crypto-init': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2) + '@polkadot/wasm-crypto-init': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-crypto-wasm': 7.3.2(@polkadot/util@12.6.2) '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) - '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) tslib: 2.7.0 - '@polkadot/wasm-crypto@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1)': + '@polkadot/wasm-crypto@7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)))': dependencies: '@polkadot/util': 13.1.1 - '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1) + '@polkadot/wasm-bridge': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-crypto-asmjs': 7.3.2(@polkadot/util@13.1.1) - '@polkadot/wasm-crypto-init': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1) + '@polkadot/wasm-crypto-init': 7.3.2(@polkadot/util@13.1.1)(@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-crypto-wasm': 7.3.2(@polkadot/util@13.1.1) '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2) + '@polkadot/x-randomvalues': 13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) tslib: 2.7.0 '@polkadot/wasm-util@6.4.1(@polkadot/util@10.4.2)': @@ -9082,12 +9077,12 @@ snapshots: node-fetch: 3.3.2 tslib: 2.7.0 - '@polkadot/x-fetch@8.7.1': + '@polkadot/x-fetch@8.7.1(encoding@0.1.13)': dependencies: '@babel/runtime': 7.25.6 '@polkadot/x-global': 8.7.1 '@types/node-fetch': 2.6.11 - node-fetch: 2.7.0 + node-fetch: 2.7.0(encoding@0.1.13) transitivePeerDependencies: - encoding @@ -9116,14 +9111,14 @@ snapshots: '@babel/runtime': 7.25.6 '@polkadot/x-global': 10.4.2 - '@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2)': + '@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))': dependencies: '@polkadot/util': 12.6.2 - '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) + '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) '@polkadot/x-global': 12.6.2 tslib: 2.7.0 - '@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2)': + '@polkadot/x-randomvalues@13.1.1(@polkadot/util@13.1.1)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) @@ -9204,20 +9199,20 @@ snapshots: transitivePeerDependencies: - supports-color - '@polkadot/x-ws@12.6.2': + '@polkadot/x-ws@12.6.2(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@polkadot/x-global': 12.6.2 tslib: 2.7.0 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate - '@polkadot/x-ws@13.1.1': + '@polkadot/x-ws@13.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@polkadot/x-global': 13.1.1 tslib: 2.7.0 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate @@ -9321,10 +9316,10 @@ snapshots: '@sindresorhus/is@4.6.0': {} - '@snowfork/snowbridge-types@0.2.7(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@snowfork/snowbridge-types@0.2.7(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(encoding@0.1.13)': dependencies: - '@polkadot/api': 7.15.1 - '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/api': 7.15.1(encoding@0.1.13) + '@polkadot/keyring': 8.7.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types': 7.15.1 transitivePeerDependencies: - '@polkadot/util' @@ -9338,9 +9333,9 @@ snapshots: '@sqltools/formatter@1.2.5': {} - '@subsocial/definitions@0.8.14': + '@subsocial/definitions@0.8.14(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 13.2.1 + '@polkadot/api': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) lodash.camelcase: 4.3.0 transitivePeerDependencies: - bufferutil @@ -9363,50 +9358,50 @@ snapshots: transitivePeerDependencies: - supports-color - '@substrate/connect@0.7.19': + '@substrate/connect@0.7.19(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@substrate/connect-extension-protocol': 1.0.1 - '@substrate/smoldot-light': 0.7.9 + '@substrate/smoldot-light': 0.7.9(bufferutil@4.0.8)(utf-8-validate@5.0.10) eventemitter3: 4.0.7 transitivePeerDependencies: - bufferutil - utf-8-validate optional: true - '@substrate/connect@0.8.10': + '@substrate/connect@0.8.10(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 - '@substrate/light-client-extension-helpers': 0.0.6(smoldot@2.0.22) - smoldot: 2.0.22 + '@substrate/light-client-extension-helpers': 0.0.6(smoldot@2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10)) + smoldot: 2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate optional: true - '@substrate/connect@0.8.11': + '@substrate/connect@0.8.11(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 - '@substrate/light-client-extension-helpers': 1.0.0(smoldot@2.0.26) - smoldot: 2.0.26 + '@substrate/light-client-extension-helpers': 1.0.0(smoldot@2.0.26(bufferutil@4.0.8)(utf-8-validate@5.0.10)) + smoldot: 2.0.26(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate optional: true - '@substrate/connect@0.8.8': + '@substrate/connect@0.8.8(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 - '@substrate/light-client-extension-helpers': 0.0.4(smoldot@2.0.22) - smoldot: 2.0.22 + '@substrate/light-client-extension-helpers': 0.0.4(smoldot@2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10)) + smoldot: 2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate optional: true - '@substrate/light-client-extension-helpers@0.0.4(smoldot@2.0.22)': + '@substrate/light-client-extension-helpers@0.0.4(smoldot@2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10))': dependencies: '@polkadot-api/client': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0(rxjs@7.8.1) '@polkadot-api/json-rpc-provider': 0.0.1-492c132563ea6b40ae1fc5470dec4cd18768d182.1.0 @@ -9415,10 +9410,10 @@ snapshots: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 rxjs: 7.8.1 - smoldot: 2.0.22 + smoldot: 2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10) optional: true - '@substrate/light-client-extension-helpers@0.0.6(smoldot@2.0.22)': + '@substrate/light-client-extension-helpers@0.0.6(smoldot@2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10))': dependencies: '@polkadot-api/json-rpc-provider': 0.0.1 '@polkadot-api/json-rpc-provider-proxy': 0.0.1 @@ -9427,10 +9422,10 @@ snapshots: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 rxjs: 7.8.1 - smoldot: 2.0.22 + smoldot: 2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10) optional: true - '@substrate/light-client-extension-helpers@1.0.0(smoldot@2.0.26)': + '@substrate/light-client-extension-helpers@1.0.0(smoldot@2.0.26(bufferutil@4.0.8)(utf-8-validate@5.0.10))': dependencies: '@polkadot-api/json-rpc-provider': 0.0.1 '@polkadot-api/json-rpc-provider-proxy': 0.1.0 @@ -9439,7 +9434,7 @@ snapshots: '@substrate/connect-extension-protocol': 2.0.0 '@substrate/connect-known-chains': 1.1.8 rxjs: 7.8.1 - smoldot: 2.0.26 + smoldot: 2.0.26(bufferutil@4.0.8)(utf-8-validate@5.0.10) optional: true '@substrate/smoldot-light@0.6.8': @@ -9450,10 +9445,10 @@ snapshots: transitivePeerDependencies: - supports-color - '@substrate/smoldot-light@0.7.9': + '@substrate/smoldot-light@0.7.9(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: pako: 2.1.0 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate @@ -9463,10 +9458,10 @@ snapshots: '@substrate/ss58-registry@1.50.0': {} - '@substrate/txwrapper-core@7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@substrate/txwrapper-core@7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 11.3.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/api': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) memoizee: 0.4.15 transitivePeerDependencies: - '@polkadot/util' @@ -9475,9 +9470,9 @@ snapshots: - supports-color - utf-8-validate - '@substrate/txwrapper-substrate@7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1)': + '@substrate/txwrapper-substrate@7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@substrate/txwrapper-core': 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@substrate/txwrapper-core': 7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - '@polkadot/util' - '@polkadot/util-crypto' @@ -9600,7 +9595,7 @@ snapshots: dependencies: '@types/yargs-parser': 21.0.3 - '@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2)': + '@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2)': dependencies: '@eslint-community/regexpp': 4.11.0 '@typescript-eslint/parser': 7.5.0(eslint@8.57.0)(typescript@5.6.2) @@ -9615,6 +9610,7 @@ snapshots: natural-compare: 1.4.0 semver: 7.6.3 ts-api-utils: 1.3.0(typescript@5.6.2) + optionalDependencies: typescript: 5.6.2 transitivePeerDependencies: - supports-color @@ -9627,6 +9623,7 @@ snapshots: '@typescript-eslint/visitor-keys': 7.5.0 debug: 4.3.7(supports-color@8.1.1) eslint: 8.57.0 + optionalDependencies: typescript: 5.6.2 transitivePeerDependencies: - supports-color @@ -9643,6 +9640,7 @@ snapshots: debug: 4.3.7(supports-color@8.1.1) eslint: 8.57.0 ts-api-utils: 1.3.0(typescript@5.6.2) + optionalDependencies: typescript: 5.6.2 transitivePeerDependencies: - supports-color @@ -9659,6 +9657,7 @@ snapshots: minimatch: 9.0.3 semver: 7.6.3 ts-api-utils: 1.3.0(typescript@5.6.2) + optionalDependencies: typescript: 5.6.2 transitivePeerDependencies: - supports-color @@ -9684,24 +9683,24 @@ snapshots: '@ungap/structured-clone@1.2.0': {} - '@unique-nft/opal-testnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': + '@unique-nft/opal-testnet-types@1003.70.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2)': dependencies: - '@polkadot/api': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 - '@unique-nft/quartz-mainnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': + '@unique-nft/quartz-mainnet-types@1003.70.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2)': dependencies: - '@polkadot/api': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 - '@unique-nft/sapphire-mainnet-types@1003.70.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': + '@unique-nft/sapphire-mainnet-types@1003.70.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2)': dependencies: - '@polkadot/api': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 - '@unique-nft/unique-mainnet-types@1001.63.0(@polkadot/api@12.4.2)(@polkadot/types@12.4.2)': + '@unique-nft/unique-mainnet-types@1001.63.0(@polkadot/api@12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@polkadot/types@12.4.2)': dependencies: - '@polkadot/api': 12.4.2 + '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@vitest/expect@2.1.1': @@ -9711,11 +9710,12 @@ snapshots: chai: 5.1.1 tinyrainbow: 1.2.0 - '@vitest/mocker@2.1.1(@vitest/spy@2.1.1)(vite@5.1.6)': + '@vitest/mocker@2.1.1(@vitest/spy@2.1.1)(vite@5.1.6(@types/node@22.7.0))': dependencies: '@vitest/spy': 2.1.1 estree-walker: 3.0.3 magic-string: 0.30.11 + optionalDependencies: vite: 5.1.6(@types/node@22.7.0) '@vitest/pretty-format@2.1.1': @@ -9746,7 +9746,7 @@ snapshots: sirv: 2.0.4 tinyglobby: 0.2.6 tinyrainbow: 1.2.0 - vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) + vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) '@vitest/utils@2.1.1': dependencies: @@ -9800,7 +9800,7 @@ snapshots: '@vue/shared': 3.4.31 csstype: 3.1.3 - '@vue/server-renderer@3.4.31(vue@3.4.31)': + '@vue/server-renderer@3.4.31(vue@3.4.31(typescript@5.6.2))': dependencies: '@vue/compiler-ssr': 3.4.31 '@vue/shared': 3.4.31 @@ -9812,18 +9812,18 @@ snapshots: '@zeroio/type-definitions@0.0.14': {} - '@zombienet/orchestrator@0.0.87(@polkadot/util@12.6.2)(@types/node@22.7.0)': + '@zombienet/orchestrator@0.0.87(@polkadot/util@12.6.2)(@types/node@22.7.0)(bufferutil@4.0.8)(chokidar@3.6.0)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 11.3.1 - '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2)(@polkadot/util@12.6.2) + '@polkadot/api': 11.3.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/keyring': 12.6.2(@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2))(@polkadot/util@12.6.2) '@polkadot/util-crypto': 12.6.2(@polkadot/util@12.6.2) - '@zombienet/utils': 0.0.25(@types/node@22.7.0)(typescript@5.6.2) + '@zombienet/utils': 0.0.25(@types/node@22.7.0)(chokidar@3.6.0)(typescript@5.6.2) JSONStream: 1.3.5 chai: 4.4.1 debug: 4.3.7(supports-color@8.1.1) execa: 5.1.1 fs-extra: 11.2.0 - jsdom: 23.2.0 + jsdom: 23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) json-bigint: 1.0.0 libp2p-crypto: 0.21.2 minimatch: 9.0.5 @@ -9844,12 +9844,12 @@ snapshots: - supports-color - utf-8-validate - '@zombienet/utils@0.0.25(@types/node@20.14.10)(typescript@5.6.2)': + '@zombienet/utils@0.0.25(@types/node@20.14.10)(chokidar@3.6.0)(typescript@5.6.2)': dependencies: cli-table3: 0.6.3 debug: 4.3.7(supports-color@8.1.1) mocha: 10.2.0 - nunjucks: 3.2.4 + nunjucks: 3.2.4(chokidar@3.6.0) toml: 3.0.0 ts-node: 10.9.2(@types/node@20.14.10)(typescript@5.6.2) transitivePeerDependencies: @@ -9860,12 +9860,12 @@ snapshots: - supports-color - typescript - '@zombienet/utils@0.0.25(@types/node@22.7.0)(typescript@5.6.2)': + '@zombienet/utils@0.0.25(@types/node@22.7.0)(chokidar@3.6.0)(typescript@5.6.2)': dependencies: cli-table3: 0.6.3 debug: 4.3.7(supports-color@8.1.1) mocha: 10.2.0 - nunjucks: 3.2.4 + nunjucks: 3.2.4(chokidar@3.6.0) toml: 3.0.0 ts-node: 10.9.2(@types/node@22.7.0)(typescript@5.6.2) transitivePeerDependencies: @@ -9886,13 +9886,16 @@ snapshots: abbrev@1.1.1: optional: true - abitype@0.7.1(typescript@5.6.2): + abitype@0.7.1(typescript@5.6.2)(zod@3.23.8): dependencies: typescript: 5.6.2 + optionalDependencies: + zod: 3.23.8 - abitype@1.0.5(typescript@5.6.2): - dependencies: + abitype@1.0.5(typescript@5.6.2)(zod@3.23.8): + optionalDependencies: typescript: 5.6.2 + zod: 3.23.8 abort-controller@3.0.0: dependencies: @@ -10503,9 +10506,9 @@ snapshots: create-require@1.1.1: {} - cross-fetch@4.0.0: + cross-fetch@4.0.0(encoding@0.1.13): dependencies: - node-fetch: 2.7.0 + node-fetch: 2.7.0(encoding@0.1.13) transitivePeerDependencies: - encoding @@ -10563,6 +10566,7 @@ snapshots: debug@4.3.4(supports-color@8.1.1): dependencies: ms: 2.1.2 + optionalDependencies: supports-color: 8.1.1 debug@4.3.5: @@ -10572,6 +10576,7 @@ snapshots: debug@4.3.7(supports-color@8.1.1): dependencies: ms: 2.1.3 + optionalDependencies: supports-color: 8.1.1 decamelize@4.0.0: {} @@ -10863,11 +10868,12 @@ snapshots: escape-string-regexp@5.0.0: {} - eslint-plugin-unused-imports@3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0): + eslint-plugin-unused-imports@3.1.0(@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0): dependencies: - '@typescript-eslint/eslint-plugin': 7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2) eslint: 8.57.0 eslint-rule-composer: 0.3.0 + optionalDependencies: + '@typescript-eslint/eslint-plugin': 7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2) eslint-rule-composer@0.3.0: {} @@ -10959,13 +10965,13 @@ snapshots: idna-uts46-hx: 2.3.1 js-sha3: 0.5.7 - eth-lib@0.1.29: + eth-lib@0.1.29(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: bn.js: 4.12.0 elliptic: 6.5.5 nano-json-stream-parser: 0.1.2 servify: 0.1.12 - ws: 3.3.3 + ws: 3.3.3(bufferutil@4.0.8)(utf-8-validate@5.0.10) xhr-request-promise: 0.1.3 transitivePeerDependencies: - bufferutil @@ -10978,11 +10984,11 @@ snapshots: elliptic: 6.5.5 xhr-request-promise: 0.1.3 - eth-object@https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06: + eth-object@https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: eth-util-lite: https://codeload.github.com/near/eth-util-lite/tar.gz/427b7634a123d171432f3b38c6542913a3897ac7 ethereumjs-util: 7.1.5 - web3: 1.10.4 + web3: 1.10.4(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - encoding @@ -11037,7 +11043,7 @@ snapshots: ethereum-cryptography: 0.1.3 rlp: 2.2.7 - ethers@6.13.1: + ethers@6.13.1(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@adraffy/ens-normalize': 1.10.1 '@noble/curves': 1.2.0 @@ -11045,12 +11051,12 @@ snapshots: '@types/node': 18.15.13 aes-js: 4.0.0-beta.5 tslib: 2.4.0 - ws: 8.17.1 + ws: 8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate - ethers@6.13.2: + ethers@6.13.2(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@adraffy/ens-normalize': 1.10.1 '@noble/curves': 1.2.0 @@ -11058,7 +11064,7 @@ snapshots: '@types/node': 18.15.13 aes-js: 4.0.0-beta.5 tslib: 2.4.0 - ws: 8.17.1 + ws: 8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate @@ -11179,7 +11185,7 @@ snapshots: reusify: 1.0.4 fdir@6.3.0(picomatch@4.0.2): - dependencies: + optionalDependencies: picomatch: 4.0.2 fetch-blob@3.2.0: @@ -11236,7 +11242,7 @@ snapshots: flatted@3.3.1: {} follow-redirects@1.15.6(debug@4.3.7): - dependencies: + optionalDependencies: debug: 4.3.7(supports-color@8.1.1) for-each@0.3.3: @@ -11823,13 +11829,13 @@ snapshots: events: 3.3.0 readable-stream: 3.6.2 - isomorphic-ws@5.0.0(ws@8.18.0): + isomorphic-ws@5.0.0(ws@8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)): dependencies: - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) - isows@1.0.4(ws@8.17.1): + isows@1.0.4(ws@8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)): dependencies: - ws: 8.17.1 + ws: 8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) isstream@0.1.2: {} @@ -11862,7 +11868,7 @@ snapshots: jsbn@1.1.0: optional: true - jsdom@23.2.0: + jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@asamuzakjp/dom-selector': 2.0.2 cssstyle: 4.0.1 @@ -11883,7 +11889,7 @@ snapshots: whatwg-encoding: 3.1.1 whatwg-mimetype: 4.0.0 whatwg-url: 14.0.0 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) xml-name-validator: 5.0.0 transitivePeerDependencies: - bufferutil @@ -12333,9 +12339,9 @@ snapshots: mock-socket@9.3.1: {} - moonbeam-types-bundle@2.0.10: + moonbeam-types-bundle@2.0.10(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: - '@polkadot/api': 9.14.2 + '@polkadot/api': 9.14.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) typescript: 4.9.5 transitivePeerDependencies: - bufferutil @@ -12436,9 +12442,11 @@ snapshots: node-domexception@1.0.0: {} - node-fetch@2.7.0: + node-fetch@2.7.0(encoding@0.1.13): dependencies: whatwg-url: 5.0.0 + optionalDependencies: + encoding: 0.1.13 node-fetch@3.3.2: dependencies: @@ -12493,11 +12501,13 @@ snapshots: bn.js: 4.11.6 strip-hex-prefix: 1.0.0 - nunjucks@3.2.4: + nunjucks@3.2.4(chokidar@3.6.0): dependencies: a-sync-waterfall: 1.0.1 asap: 2.0.6 commander: 5.1.0 + optionalDependencies: + chokidar: 3.6.0 oauth-sign@0.9.0: {} @@ -12711,9 +12721,9 @@ snapshots: pnglib@0.0.1: {} - pontem-types-bundle@1.0.15(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1): + pontem-types-bundle@1.0.15(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1): dependencies: - '@polkadot/keyring': 7.9.2(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) + '@polkadot/keyring': 7.9.2(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) '@polkadot/types': 6.12.1 typescript: 4.9.5 transitivePeerDependencies: @@ -13202,17 +13212,17 @@ snapshots: smart-buffer@4.2.0: optional: true - smoldot@2.0.22: + smoldot@2.0.22(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate optional: true - smoldot@2.0.26: + smoldot@2.0.26(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate @@ -13340,7 +13350,7 @@ snapshots: strip-json-comments@3.1.1: {} - styled-components@6.1.11(react-dom@18.3.1)(react@18.3.1): + styled-components@6.1.11(react-dom@18.3.1(react@18.3.1))(react@18.3.1): dependencies: '@emotion/is-prop-valid': 1.2.2 '@emotion/unitless': 0.8.1 @@ -13364,11 +13374,11 @@ snapshots: dependencies: has-flag: 4.0.0 - swarm-js@0.1.42: + swarm-js@0.1.42(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: bluebird: 3.7.2 buffer: 5.7.1 - eth-lib: 0.1.29 + eth-lib: 0.1.29(bufferutil@4.0.8)(utf-8-validate@5.0.10) fs-extra: 4.0.3 got: 11.8.6 mime-types: 2.1.35 @@ -13590,7 +13600,7 @@ snapshots: dependencies: is-typedarray: 1.0.0 - typeorm@0.3.20(sqlite3@5.1.7): + typeorm@0.3.20(sqlite3@5.1.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2)): dependencies: '@sqltools/formatter': 1.2.5 app-root-path: 3.1.0 @@ -13604,10 +13614,12 @@ snapshots: mkdirp: 2.1.6 reflect-metadata: 0.2.2 sha.js: 2.4.11 - sqlite3: 5.1.7 tslib: 2.7.0 uuid: 9.0.1 yargs: 17.7.2 + optionalDependencies: + sqlite3: 5.1.7 + ts-node: 10.9.2(@types/node@22.7.0)(typescript@5.6.2) transitivePeerDependencies: - supports-color @@ -13692,34 +13704,36 @@ snapshots: core-util-is: 1.0.2 extsprintf: 1.3.0 - viem@2.17.3(typescript@5.6.2): + viem@2.17.3(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: '@adraffy/ens-normalize': 1.10.0 '@noble/curves': 1.4.0 '@noble/hashes': 1.4.0 '@scure/bip32': 1.4.0 '@scure/bip39': 1.3.0 - abitype: 1.0.5(typescript@5.6.2) - isows: 1.0.4(ws@8.17.1) + abitype: 1.0.5(typescript@5.6.2)(zod@3.23.8) + isows: 1.0.4(ws@8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)) + ws: 8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + optionalDependencies: typescript: 5.6.2 - ws: 8.17.1 transitivePeerDependencies: - bufferutil - utf-8-validate - zod - viem@2.21.14(typescript@5.6.2): + viem@2.21.14(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: '@adraffy/ens-normalize': 1.10.0 '@noble/curves': 1.4.0 '@noble/hashes': 1.4.0 '@scure/bip32': 1.4.0 '@scure/bip39': 1.4.0 - abitype: 1.0.5(typescript@5.6.2) - isows: 1.0.4(ws@8.17.1) - typescript: 5.6.2 + abitype: 1.0.5(typescript@5.6.2)(zod@3.23.8) + isows: 1.0.4(ws@8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)) webauthn-p256: 0.0.5 - ws: 8.17.1 + ws: 8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + optionalDependencies: + typescript: 5.6.2 transitivePeerDependencies: - bufferutil - utf-8-validate @@ -13743,23 +13757,21 @@ snapshots: vite@5.1.6(@types/node@22.7.0): dependencies: - '@types/node': 22.7.0 esbuild: 0.19.12 postcss: 8.4.39 rollup: 4.13.0 optionalDependencies: + '@types/node': 22.7.0 fsevents: 2.3.3 - vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1): + vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)): dependencies: - '@types/node': 22.7.0 '@vitest/expect': 2.1.1 - '@vitest/mocker': 2.1.1(@vitest/spy@2.1.1)(vite@5.1.6) + '@vitest/mocker': 2.1.1(@vitest/spy@2.1.1)(vite@5.1.6(@types/node@22.7.0)) '@vitest/pretty-format': 2.1.1 '@vitest/runner': 2.1.1 '@vitest/snapshot': 2.1.1 '@vitest/spy': 2.1.1 - '@vitest/ui': 2.1.1(vitest@2.1.1) '@vitest/utils': 2.1.1 chai: 5.1.1 debug: 4.3.7(supports-color@8.1.1) @@ -13773,6 +13785,10 @@ snapshots: vite: 5.1.6(@types/node@22.7.0) vite-node: 2.1.1(@types/node@22.7.0) why-is-node-running: 2.3.0 + optionalDependencies: + '@types/node': 22.7.0 + '@vitest/ui': 2.1.1(vitest@2.1.1) + jsdom: 23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - less - lightningcss @@ -13788,8 +13804,9 @@ snapshots: '@vue/compiler-dom': 3.4.31 '@vue/compiler-sfc': 3.4.31 '@vue/runtime-dom': 3.4.31 - '@vue/server-renderer': 3.4.31(vue@3.4.31) + '@vue/server-renderer': 3.4.31(vue@3.4.31(typescript@5.6.2)) '@vue/shared': 3.4.31 + optionalDependencies: typescript: 5.6.2 w3c-xmlserializer@5.0.0: @@ -13802,11 +13819,11 @@ snapshots: web-streams-polyfill@3.2.1: {} - web3-bzz@1.10.4: + web3-bzz@1.10.4(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@types/node': 12.20.55 got: 12.1.0 - swarm-js: 0.1.42 + swarm-js: 0.1.42(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - supports-color @@ -13829,11 +13846,11 @@ snapshots: dependencies: eventemitter3: 4.0.4 - web3-core-requestmanager@1.10.4: + web3-core-requestmanager@1.10.4(encoding@0.1.13): dependencies: util: 0.12.5 web3-core-helpers: 1.10.4 - web3-providers-http: 1.10.4 + web3-providers-http: 1.10.4(encoding@0.1.13) web3-providers-ipc: 1.10.4 web3-providers-ws: 1.10.4 transitivePeerDependencies: @@ -13845,26 +13862,26 @@ snapshots: eventemitter3: 4.0.4 web3-core-helpers: 1.10.4 - web3-core@1.10.4: + web3-core@1.10.4(encoding@0.1.13): dependencies: '@types/bn.js': 5.1.5 '@types/node': 12.20.55 bignumber.js: 9.1.2 web3-core-helpers: 1.10.4 web3-core-method: 1.10.4 - web3-core-requestmanager: 1.10.4 + web3-core-requestmanager: 1.10.4(encoding@0.1.13) web3-utils: 1.10.4 transitivePeerDependencies: - encoding - supports-color - web3-core@4.5.0: + web3-core@4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: web3-errors: 1.2.0 web3-eth-accounts: 4.1.2 web3-eth-iban: 4.0.7 - web3-providers-http: 4.1.0 - web3-providers-ws: 4.0.7 + web3-providers-http: 4.1.0(encoding@0.1.13) + web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) web3-types: 1.7.0 web3-utils: 4.3.0 web3-validator: 2.0.6 @@ -13875,13 +13892,13 @@ snapshots: - encoding - utf-8-validate - web3-core@4.6.0: + web3-core@4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: web3-errors: 1.3.0 web3-eth-accounts: 4.2.1 web3-eth-iban: 4.0.7 - web3-providers-http: 4.2.0 - web3-providers-ws: 4.0.8 + web3-providers-http: 4.2.0(encoding@0.1.13) + web3-providers-ws: 4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -13905,9 +13922,9 @@ snapshots: '@ethersproject/abi': 5.7.0 web3-utils: 1.10.4 - web3-eth-abi@4.2.2(typescript@5.6.2): + web3-eth-abi@4.2.2(typescript@5.6.2)(zod@3.23.8): dependencies: - abitype: 0.7.1(typescript@5.6.2) + abitype: 0.7.1(typescript@5.6.2)(zod@3.23.8) web3-errors: 1.2.0 web3-types: 1.7.0 web3-utils: 4.3.0 @@ -13916,9 +13933,9 @@ snapshots: - typescript - zod - web3-eth-abi@4.2.4(typescript@5.6.2): + web3-eth-abi@4.2.4(typescript@5.6.2)(zod@3.23.8): dependencies: - abitype: 0.7.1(typescript@5.6.2) + abitype: 0.7.1(typescript@5.6.2)(zod@3.23.8) web3-errors: 1.3.0 web3-types: 1.8.0 web3-utils: 4.3.1 @@ -13927,7 +13944,7 @@ snapshots: - typescript - zod - web3-eth-accounts@1.10.4: + web3-eth-accounts@1.10.4(encoding@0.1.13): dependencies: '@ethereumjs/common': 2.6.5 '@ethereumjs/tx': 3.5.2 @@ -13935,7 +13952,7 @@ snapshots: eth-lib: 0.2.8 scrypt-js: 3.0.1 uuid: 9.0.1 - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-helpers: 1.10.4 web3-core-method: 1.10.4 web3-utils: 1.10.4 @@ -13963,10 +13980,10 @@ snapshots: web3-utils: 4.3.1 web3-validator: 2.0.6 - web3-eth-contract@1.10.4: + web3-eth-contract@1.10.4(encoding@0.1.13): dependencies: '@types/bn.js': 5.1.5 - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-helpers: 1.10.4 web3-core-method: 1.10.4 web3-core-promievent: 1.10.4 @@ -13977,12 +13994,12 @@ snapshots: - encoding - supports-color - web3-eth-contract@4.5.0(typescript@5.6.2): + web3-eth-contract@4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: - web3-core: 4.5.0 + web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.2.0 - web3-eth: 4.8.0(typescript@5.6.2) - web3-eth-abi: 4.2.2(typescript@5.6.2) + web3-eth: 4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-abi: 4.2.2(typescript@5.6.2)(zod@3.23.8) web3-types: 1.7.0 web3-utils: 4.3.0 web3-validator: 2.0.6 @@ -13993,13 +14010,13 @@ snapshots: - utf-8-validate - zod - web3-eth-contract@4.7.0(typescript@5.6.2): + web3-eth-contract@4.7.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: '@ethereumjs/rlp': 5.0.2 - web3-core: 4.6.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.3.0 - web3-eth: 4.9.0(typescript@5.6.2) - web3-eth-abi: 4.2.4(typescript@5.6.2) + web3-eth: 4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-abi: 4.2.4(typescript@5.6.2)(zod@3.23.8) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -14010,28 +14027,28 @@ snapshots: - utf-8-validate - zod - web3-eth-ens@1.10.4: + web3-eth-ens@1.10.4(encoding@0.1.13): dependencies: content-hash: 2.5.2 eth-ens-namehash: 2.0.8 - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-helpers: 1.10.4 web3-core-promievent: 1.10.4 web3-eth-abi: 1.10.4 - web3-eth-contract: 1.10.4 + web3-eth-contract: 1.10.4(encoding@0.1.13) web3-utils: 1.10.4 transitivePeerDependencies: - encoding - supports-color - web3-eth-ens@4.4.0(typescript@5.6.2): + web3-eth-ens@4.4.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: '@adraffy/ens-normalize': 1.10.1 - web3-core: 4.6.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.3.0 - web3-eth: 4.9.0(typescript@5.6.2) - web3-eth-contract: 4.7.0(typescript@5.6.2) - web3-net: 4.1.0 + web3-eth: 4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-contract: 4.7.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -14054,23 +14071,23 @@ snapshots: web3-utils: 4.3.1 web3-validator: 2.0.6 - web3-eth-personal@1.10.4: + web3-eth-personal@1.10.4(encoding@0.1.13): dependencies: '@types/node': 12.20.55 - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-helpers: 1.10.4 web3-core-method: 1.10.4 - web3-net: 1.10.4 + web3-net: 1.10.4(encoding@0.1.13) web3-utils: 1.10.4 transitivePeerDependencies: - encoding - supports-color - web3-eth-personal@4.0.8(typescript@5.6.2): + web3-eth-personal@4.0.8(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: - web3-core: 4.5.0 - web3-eth: 4.8.0(typescript@5.6.2) - web3-rpc-methods: 1.3.0 + web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-eth: 4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.7.0 web3-utils: 4.3.0 web3-validator: 2.0.6 @@ -14081,11 +14098,11 @@ snapshots: - utf-8-validate - zod - web3-eth-personal@4.1.0(typescript@5.6.2): + web3-eth-personal@4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: - web3-core: 4.6.0 - web3-eth: 4.9.0(typescript@5.6.2) - web3-rpc-methods: 1.3.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-eth: 4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -14096,34 +14113,34 @@ snapshots: - utf-8-validate - zod - web3-eth@1.10.4: + web3-eth@1.10.4(encoding@0.1.13): dependencies: - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-helpers: 1.10.4 web3-core-method: 1.10.4 web3-core-subscriptions: 1.10.4 web3-eth-abi: 1.10.4 - web3-eth-accounts: 1.10.4 - web3-eth-contract: 1.10.4 - web3-eth-ens: 1.10.4 + web3-eth-accounts: 1.10.4(encoding@0.1.13) + web3-eth-contract: 1.10.4(encoding@0.1.13) + web3-eth-ens: 1.10.4(encoding@0.1.13) web3-eth-iban: 1.10.4 - web3-eth-personal: 1.10.4 - web3-net: 1.10.4 + web3-eth-personal: 1.10.4(encoding@0.1.13) + web3-net: 1.10.4(encoding@0.1.13) web3-utils: 1.10.4 transitivePeerDependencies: - encoding - supports-color - web3-eth@4.8.0(typescript@5.6.2): + web3-eth@4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: setimmediate: 1.0.5 - web3-core: 4.5.0 + web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.2.0 - web3-eth-abi: 4.2.2(typescript@5.6.2) + web3-eth-abi: 4.2.2(typescript@5.6.2)(zod@3.23.8) web3-eth-accounts: 4.1.2 - web3-net: 4.1.0 - web3-providers-ws: 4.0.7 - web3-rpc-methods: 1.3.0 + web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.7.0 web3-utils: 4.3.0 web3-validator: 2.0.6 @@ -14134,16 +14151,16 @@ snapshots: - utf-8-validate - zod - web3-eth@4.9.0(typescript@5.6.2): + web3-eth@4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: setimmediate: 1.0.5 - web3-core: 4.6.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.3.0 - web3-eth-abi: 4.2.4(typescript@5.6.2) + web3-eth-abi: 4.2.4(typescript@5.6.2)(zod@3.23.8) web3-eth-accounts: 4.2.1 - web3-net: 4.1.0 - web3-providers-ws: 4.0.8 - web3-rpc-methods: 1.3.0 + web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-providers-ws: 4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -14154,19 +14171,19 @@ snapshots: - utf-8-validate - zod - web3-net@1.10.4: + web3-net@1.10.4(encoding@0.1.13): dependencies: - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-method: 1.10.4 web3-utils: 1.10.4 transitivePeerDependencies: - encoding - supports-color - web3-net@4.1.0: + web3-net@4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: - web3-core: 4.6.0 - web3-rpc-methods: 1.3.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 transitivePeerDependencies: @@ -14174,27 +14191,27 @@ snapshots: - encoding - utf-8-validate - web3-providers-http@1.10.4: + web3-providers-http@1.10.4(encoding@0.1.13): dependencies: abortcontroller-polyfill: 1.7.5 - cross-fetch: 4.0.0 + cross-fetch: 4.0.0(encoding@0.1.13) es6-promise: 4.2.8 web3-core-helpers: 1.10.4 transitivePeerDependencies: - encoding - web3-providers-http@4.1.0: + web3-providers-http@4.1.0(encoding@0.1.13): dependencies: - cross-fetch: 4.0.0 + cross-fetch: 4.0.0(encoding@0.1.13) web3-errors: 1.2.0 web3-types: 1.7.0 web3-utils: 4.3.0 transitivePeerDependencies: - encoding - web3-providers-http@4.2.0: + web3-providers-http@4.2.0(encoding@0.1.13): dependencies: - cross-fetch: 4.0.0 + cross-fetch: 4.0.0(encoding@0.1.13) web3-errors: 1.3.0 web3-types: 1.8.0 web3-utils: 4.3.1 @@ -14221,33 +14238,33 @@ snapshots: transitivePeerDependencies: - supports-color - web3-providers-ws@4.0.7: + web3-providers-ws@4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@types/ws': 8.5.3 - isomorphic-ws: 5.0.0(ws@8.18.0) + isomorphic-ws: 5.0.0(ws@8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) web3-errors: 1.2.0 web3-types: 1.7.0 web3-utils: 4.3.0 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate - web3-providers-ws@4.0.8: + web3-providers-ws@4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@types/ws': 8.5.3 - isomorphic-ws: 5.0.0(ws@8.18.0) + isomorphic-ws: 5.0.0(ws@8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) web3-errors: 1.3.0 web3-types: 1.8.0 web3-utils: 4.3.1 - ws: 8.18.0 + ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) transitivePeerDependencies: - bufferutil - utf-8-validate - web3-rpc-methods@1.3.0: + web3-rpc-methods@1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: - web3-core: 4.5.0 + web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.7.0 web3-validator: 2.0.6 transitivePeerDependencies: @@ -14255,10 +14272,10 @@ snapshots: - encoding - utf-8-validate - web3-rpc-providers@1.0.0-rc.0: + web3-rpc-providers@1.0.0-rc.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: - web3-providers-http: 4.1.0 - web3-providers-ws: 4.0.7 + web3-providers-http: 4.1.0(encoding@0.1.13) + web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) web3-types: 1.7.0 web3-utils: 4.3.0 transitivePeerDependencies: @@ -14266,11 +14283,11 @@ snapshots: - encoding - utf-8-validate - web3-rpc-providers@1.0.0-rc.2: + web3-rpc-providers@1.0.0-rc.2(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: web3-errors: 1.3.0 - web3-providers-http: 4.2.0 - web3-providers-ws: 4.0.8 + web3-providers-http: 4.2.0(encoding@0.1.13) + web3-providers-ws: 4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -14279,12 +14296,12 @@ snapshots: - encoding - utf-8-validate - web3-shh@1.10.4: + web3-shh@1.10.4(encoding@0.1.13): dependencies: - web3-core: 1.10.4 + web3-core: 1.10.4(encoding@0.1.13) web3-core-method: 1.10.4 web3-core-subscriptions: 1.10.4 - web3-net: 1.10.4 + web3-net: 1.10.4(encoding@0.1.13) transitivePeerDependencies: - encoding - supports-color @@ -14328,14 +14345,14 @@ snapshots: web3-types: 1.8.0 zod: 3.23.8 - web3@1.10.4: + web3@1.10.4(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: - web3-bzz: 1.10.4 - web3-core: 1.10.4 - web3-eth: 1.10.4 - web3-eth-personal: 1.10.4 - web3-net: 1.10.4 - web3-shh: 1.10.4 + web3-bzz: 1.10.4(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-core: 1.10.4(encoding@0.1.13) + web3-eth: 1.10.4(encoding@0.1.13) + web3-eth-personal: 1.10.4(encoding@0.1.13) + web3-net: 1.10.4(encoding@0.1.13) + web3-shh: 1.10.4(encoding@0.1.13) web3-utils: 1.10.4 transitivePeerDependencies: - bufferutil @@ -14343,22 +14360,22 @@ snapshots: - supports-color - utf-8-validate - web3@4.10.0(typescript@5.6.2): + web3@4.10.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: - web3-core: 4.5.0 + web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.2.0 - web3-eth: 4.8.0(typescript@5.6.2) - web3-eth-abi: 4.2.2(typescript@5.6.2) + web3-eth: 4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-abi: 4.2.2(typescript@5.6.2)(zod@3.23.8) web3-eth-accounts: 4.1.2 - web3-eth-contract: 4.5.0(typescript@5.6.2) - web3-eth-ens: 4.4.0(typescript@5.6.2) + web3-eth-contract: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-ens: 4.4.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) web3-eth-iban: 4.0.7 - web3-eth-personal: 4.0.8(typescript@5.6.2) - web3-net: 4.1.0 - web3-providers-http: 4.1.0 - web3-providers-ws: 4.0.7 - web3-rpc-methods: 1.3.0 - web3-rpc-providers: 1.0.0-rc.0 + web3-eth-personal: 4.0.8(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-providers-http: 4.1.0(encoding@0.1.13) + web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-rpc-providers: 1.0.0-rc.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.7.0 web3-utils: 4.3.0 web3-validator: 2.0.6 @@ -14369,22 +14386,22 @@ snapshots: - utf-8-validate - zod - web3@4.13.0(typescript@5.6.2): + web3@4.13.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: - web3-core: 4.6.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-errors: 1.3.0 - web3-eth: 4.9.0(typescript@5.6.2) - web3-eth-abi: 4.2.4(typescript@5.6.2) + web3-eth: 4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-abi: 4.2.4(typescript@5.6.2)(zod@3.23.8) web3-eth-accounts: 4.2.1 - web3-eth-contract: 4.7.0(typescript@5.6.2) - web3-eth-ens: 4.4.0(typescript@5.6.2) + web3-eth-contract: 4.7.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-ens: 4.4.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) web3-eth-iban: 4.0.7 - web3-eth-personal: 4.1.0(typescript@5.6.2) - web3-net: 4.1.0 - web3-providers-http: 4.2.0 - web3-providers-ws: 4.0.8 - web3-rpc-methods: 1.3.0 - web3-rpc-providers: 1.0.0-rc.2 + web3-eth-personal: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-providers-http: 4.2.0(encoding@0.1.13) + web3-providers-ws: 4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-rpc-providers: 1.0.0-rc.2(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) web3-types: 1.8.0 web3-utils: 4.3.1 web3-validator: 2.0.6 @@ -14499,15 +14516,24 @@ snapshots: wrappy@1.0.2: {} - ws@3.3.3: + ws@3.3.3(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: async-limiter: 1.0.1 safe-buffer: 5.1.2 ultron: 1.1.1 + optionalDependencies: + bufferutil: 4.0.8 + utf-8-validate: 5.0.10 - ws@8.17.1: {} + ws@8.17.1(bufferutil@4.0.8)(utf-8-validate@5.0.10): + optionalDependencies: + bufferutil: 4.0.8 + utf-8-validate: 5.0.10 - ws@8.18.0: {} + ws@8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10): + optionalDependencies: + bufferutil: 4.0.8 + utf-8-validate: 5.0.10 xhr-request-promise@0.1.3: dependencies: From 92bd1e81d9771c875782a7d2234f5bbd534ca72f Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 08:55:25 +0000 Subject: [PATCH 14/37] fix --- pallets/parachain-staking/src/migrations.rs | 1 + 1 file changed, 1 insertion(+) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index 422f855947..b266104534 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -14,6 +14,7 @@ // You should have received a copy of the GNU General Public License // along with Moonbeam. If not, see . +use frame_support::ensure; use frame_support::{traits::OnRuntimeUpgrade, weights::Weight}; use crate::*; From e570f3c55cd95deda8ba9b6d3d2aaa004a9fb021 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 09:15:25 +0000 Subject: [PATCH 15/37] fix --- pallets/parachain-staking/src/migrations.rs | 17 ++++++++++++++--- 1 file changed, 14 insertions(+), 3 deletions(-) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index b266104534..5181330bd3 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -19,7 +19,14 @@ use frame_support::{traits::OnRuntimeUpgrade, weights::Weight}; use crate::*; -#[derive(Clone, PartialEq, Eq, parity_scale_codec::Decode, sp_runtime::RuntimeDebug)] +#[derive( + Clone, + PartialEq, + Eq, + parity_scale_codec::Decode, + parity_scale_codec::Encode, + sp_runtime::RuntimeDebug, +)] /// Reserve information { account, percent_of_inflation } pub struct OldParachainBondConfig { /// Account which receives funds intended for parachain bond @@ -59,7 +66,9 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { } #[cfg(feature = "try-runtime")] - fn pre_upgrade(&self) -> Result, sp_runtime::DispatchError> { + fn pre_upgrade() -> Result, sp_runtime::DispatchError> { + use parity_scale_codec::Encode; + let state = frame_support::storage::migration::get_storage_value::< OldParachainBondConfig, >(b"ParachainStaking", b"ParachainBondInfo", &[]); @@ -70,7 +79,7 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { } #[cfg(feature = "try-runtime")] - fn post_upgrade(&self, state: Vec) -> Result<(), sp_runtime::DispatchError> { + fn post_upgrade(state: Vec) -> Result<(), sp_runtime::DispatchError> { let old_state: OldParachainBondConfig = parity_scale_codec::Decode::decode(&mut &state[..]) .map_err(|_| sp_runtime::DispatchError::Other("Failed to decode old state"))?; @@ -85,5 +94,7 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { let expected_new_state: InflationDistributionConfig = [pbr, treasury].into(); ensure!(new_state == expected_new_state, "State migration failed"); + + Ok(()) } } From f299c799c965cf794ba0fd7fcc4db107607b0dcc Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 09:17:09 +0000 Subject: [PATCH 16/37] fmt --- runtime/common/src/migrations.rs | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/runtime/common/src/migrations.rs b/runtime/common/src/migrations.rs index cac45f5cb9..58e4eb52bd 100644 --- a/runtime/common/src/migrations.rs +++ b/runtime/common/src/migrations.rs @@ -236,8 +236,10 @@ pub struct CommonMigrations(PhantomData); impl GetMigrations for CommonMigrations where - Runtime: - pallet_xcm::Config + pallet_transaction_payment::Config + pallet_xcm_weight_trader::Config, + Runtime: pallet_xcm::Config + + pallet_transaction_payment::Config + + pallet_xcm_weight_trader::Config + + pallet_parachain_staking::Config, Runtime::AccountId: Default, BlockNumberFor: Into, { From 3a1724679f48ec88a576dd2cc1932322309ffceb Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 09:52:06 +0000 Subject: [PATCH 17/37] fix --- pallets/parachain-staking/src/migrations.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index 5181330bd3..74667c05a5 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -14,7 +14,6 @@ // You should have received a copy of the GNU General Public License // along with Moonbeam. If not, see . -use frame_support::ensure; use frame_support::{traits::OnRuntimeUpgrade, weights::Weight}; use crate::*; @@ -68,6 +67,7 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { #[cfg(feature = "try-runtime")] fn pre_upgrade() -> Result, sp_runtime::DispatchError> { use parity_scale_codec::Encode; + use frame_support::ensure; let state = frame_support::storage::migration::get_storage_value::< OldParachainBondConfig, From 243ea7146e23199a54e389211c14e547c9f7d73a Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 10:16:49 +0000 Subject: [PATCH 18/37] fix fmt --- pallets/parachain-staking/src/migrations.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index 74667c05a5..b5fc29e189 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -66,8 +66,8 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { #[cfg(feature = "try-runtime")] fn pre_upgrade() -> Result, sp_runtime::DispatchError> { - use parity_scale_codec::Encode; use frame_support::ensure; + use parity_scale_codec::Encode; let state = frame_support::storage::migration::get_storage_value::< OldParachainBondConfig, From 53d633c49501b949d9e817ea58aaf9c06c406ec2 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Tue, 1 Oct 2024 10:36:02 +0000 Subject: [PATCH 19/37] fix --- pallets/parachain-staking/src/migrations.rs | 2 ++ 1 file changed, 2 insertions(+) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index b5fc29e189..4c689e451d 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -80,6 +80,8 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { #[cfg(feature = "try-runtime")] fn post_upgrade(state: Vec) -> Result<(), sp_runtime::DispatchError> { + use frame_support::ensure; + let old_state: OldParachainBondConfig = parity_scale_codec::Decode::decode(&mut &state[..]) .map_err(|_| sp_runtime::DispatchError::Other("Failed to decode old state"))?; From 5657b20bef43bfdf56d2cf6d0b56eb2e7fceff40 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 09:47:45 +0000 Subject: [PATCH 20/37] add tests --- pallets/parachain-staking/src/tests.rs | 131 ++++++++++++++++++++++++- 1 file changed, 130 insertions(+), 1 deletion(-) diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index a34e3ec9eb..d4554f1605 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -31,7 +31,7 @@ use crate::mock::{ use crate::{ assert_events_emitted, assert_events_emitted_match, assert_events_eq, assert_no_events, AtStake, Bond, CollatorStatus, DelegationScheduledRequests, DelegatorAdded, - EnableMarkingOffline, Error, Event, Range, DELEGATOR_LOCK_ID, + EnableMarkingOffline, Error, Event, InflationDistributionInfo, Range, DELEGATOR_LOCK_ID, }; use frame_support::{assert_err, assert_noop, assert_ok, pallet_prelude::*, BoundedVec}; use sp_runtime::{traits::Zero, DispatchError, ModuleError, Perbill, Percent}; @@ -685,6 +685,135 @@ fn cannot_set_same_parachain_bond_reserve_percent() { }); } +// Set Inflation Distribution Config + +#[test] +fn set_inflation_distribution_config_fails_with_normal_origin() { + ExtBuilder::default().build().execute_with(|| { + assert_noop!( + ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::signed(45), + inflation_configs(1, 30, 2, 20) + ), + sp_runtime::DispatchError::BadOrigin, + ); + }); +} + +#[test] +fn set_inflation_distribution_config_event_emits_correctly() { + ExtBuilder::default().build().execute_with(|| { + assert_ok!(ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(1, 30, 2, 20), + )); + assert_events_eq!(Event::InflationDistributionConfigUpdated { + old: inflation_configs(0, 30, 0, 0), + new: inflation_configs(1, 30, 2, 20), + }); + roll_blocks(1); + assert_ok!(ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(5, 10, 6, 5), + )); + assert_events_eq!(Event::InflationDistributionConfigUpdated { + old: inflation_configs(1, 30, 2, 20), + new: inflation_configs(5, 10, 6, 5), + }); + }); +} + +#[test] +fn set_inflation_distribution_config_storage_updates_correctly() { + ExtBuilder::default().build().execute_with(|| { + assert_eq!( + InflationDistributionInfo::::get(), + inflation_configs(0, 30, 0, 0), + ); + assert_ok!(ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(5, 10, 6, 5), + )); + assert_eq!( + InflationDistributionInfo::::get(), + inflation_configs(5, 10, 6, 5), + ); + assert_ok!(ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(1, 30, 2, 20), + )); + assert_eq!( + InflationDistributionInfo::::get(), + inflation_configs(1, 30, 2, 20), + ); + }); +} + +#[test] +fn cannot_set_same_inflation_distribution_config() { + ExtBuilder::default().build().execute_with(|| { + assert_ok!(ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(1, 30, 2, 20), + )); + assert_noop!( + ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(1, 30, 2, 20) + ), + Error::::NoWritingSameValue, + ); + }); +} + +#[test] +fn sum_of_inflation_distribution_config_percentages_must_lte_100() { + ExtBuilder::default().build().execute_with(|| { + let invalid_values: Vec<(u8, u8)> = vec![ + (20, 90), + (90, 20), + (50, 51), + (100, 1), + (1, 100), + (55, 55), + (2, 99), + (100, 100), + ]; + + for (_percentage, treasury_percentage) in invalid_values { + assert_noop!( + ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(1, pbr_percentage, 2, treasury_percentage), + ), + Error::::InflationDistributionConfigSumGreaterThan100, + ); + } + + let valid_values: Vec<(u8, u8)> = vec![ + (0, 100), + (100, 0), + (0, 0), + (100, 0), + (0, 100), + (50, 50), + (1, 99), + (99, 1), + (1, 1), + (10, 20), + (34, 32), + (15, 10), + ]; + + for (pbr_percentage, treasury_percentage) in valid_values { + assert_ok!(ParachainStaking::set_inflation_distribution_config( + RuntimeOrigin::root(), + inflation_configs(1, pbr_percentage, 2, treasury_percentage), + )); + } + }); +} + // ~~ PUBLIC ~~ // JOIN CANDIDATES From 1cb3f1308a6c960b8ca256a8134c00d1f65dd919 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 09:56:07 +0000 Subject: [PATCH 21/37] add bench --- pallets/parachain-staking/src/lib.rs | 5 +++-- pallets/parachain-staking/src/weights.rs | 12 ++++++++++++ .../common/src/weights/pallet_parachain_staking.rs | 6 ++++++ 3 files changed, 21 insertions(+), 2 deletions(-) diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index a5d8186501..6d28df5f9e 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -1472,9 +1472,10 @@ pub mod pallet { Self::join_candidates_inner(account, bond, candidate_count) } - /// Set the percent of inflation set aside for parachain bond + /// Set the inflation distribution configuration for both PBR parachain bond reserve account + /// and the treasury account. #[pallet::call_index(32)] - #[pallet::weight(::WeightInfo::set_parachain_bond_reserve_percent())] + #[pallet::weight(::WeightInfo::set_inflation_distribution_config())] pub fn set_inflation_distribution_config( origin: OriginFor, new: InflationDistributionConfig, diff --git a/pallets/parachain-staking/src/weights.rs b/pallets/parachain-staking/src/weights.rs index 565b49edca..f614712c3f 100644 --- a/pallets/parachain-staking/src/weights.rs +++ b/pallets/parachain-staking/src/weights.rs @@ -56,6 +56,7 @@ pub trait WeightInfo { fn set_inflation() -> Weight; fn set_parachain_bond_account() -> Weight; fn set_parachain_bond_reserve_percent() -> Weight; + fn set_inflation_distribution_config() -> Weight; fn set_total_selected() -> Weight; fn set_collator_commission() -> Weight; fn set_blocks_per_round() -> Weight; @@ -139,6 +140,12 @@ impl WeightInfo for SubstrateWeight { .saturating_add(T::DbWeight::get().reads(1_u64)) .saturating_add(T::DbWeight::get().writes(1_u64)) } + fn set_inflation_distribution_config() -> Weight { + // TODO: regenerate this file + Weight::from_parts(14_492_000, 1491) + .saturating_add(T::DbWeight::get().reads(1_u64)) + .saturating_add(T::DbWeight::get().writes(1_u64)) + } /// Storage: ParachainStaking TotalSelected (r:1 w:1) /// Proof Skipped: ParachainStaking TotalSelected (max_values: Some(1), max_size: None, mode: Measured) fn set_total_selected() -> Weight { @@ -959,6 +966,11 @@ impl WeightInfo for () { .saturating_add(RocksDbWeight::get().reads(1_u64)) .saturating_add(RocksDbWeight::get().writes(1_u64)) } + fn set_inflation_distribution_config() -> Weight { + Weight::from_parts(14_492_000, 1491) + .saturating_add(RocksDbWeight::get().reads(1_u64)) + .saturating_add(RocksDbWeight::get().writes(1_u64)) + } /// Storage: ParachainStaking TotalSelected (r:1 w:1) /// Proof Skipped: ParachainStaking TotalSelected (max_values: Some(1), max_size: None, mode: Measured) fn set_total_selected() -> Weight { diff --git a/runtime/common/src/weights/pallet_parachain_staking.rs b/runtime/common/src/weights/pallet_parachain_staking.rs index 9c8685b7c3..56b30eb479 100644 --- a/runtime/common/src/weights/pallet_parachain_staking.rs +++ b/runtime/common/src/weights/pallet_parachain_staking.rs @@ -90,6 +90,12 @@ impl pallet_parachain_staking::WeightInfo for WeightInf .saturating_add(T::DbWeight::get().reads(1_u64)) .saturating_add(T::DbWeight::get().writes(1_u64)) } + fn set_inflation_distribution_config() -> Weight { + // TODO: regenerate this file + Weight::from_parts(14_492_000, 1491) + .saturating_add(T::DbWeight::get().reads(1_u64)) + .saturating_add(T::DbWeight::get().writes(1_u64)) + } /// Storage: `ParachainStaking::TotalSelected` (r:1 w:1) /// Proof: `ParachainStaking::TotalSelected` (`max_values`: Some(1), `max_size`: None, mode: `Measured`) fn set_total_selected() -> Weight { From 6eefbb208296385456415d09aff94df85c5739d6 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 10:25:55 +0000 Subject: [PATCH 22/37] fix --- pallets/parachain-staking/src/tests.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index d4554f1605..d31aec2ef9 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -780,7 +780,7 @@ fn sum_of_inflation_distribution_config_percentages_must_lte_100() { (100, 100), ]; - for (_percentage, treasury_percentage) in invalid_values { + for (pbr_percentage, treasury_percentage) in invalid_values { assert_noop!( ParachainStaking::set_inflation_distribution_config( RuntimeOrigin::root(), From 0416a887b53b2b55f1a9cd95d059f7314854a061 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 11:06:25 +0000 Subject: [PATCH 23/37] fix --- pallets/parachain-staking/src/tests.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index d31aec2ef9..2e37bdd616 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -786,7 +786,7 @@ fn sum_of_inflation_distribution_config_percentages_must_lte_100() { RuntimeOrigin::root(), inflation_configs(1, pbr_percentage, 2, treasury_percentage), ), - Error::::InflationDistributionConfigSumGreaterThan100, + Error::::TotalInflationDistributionPercentExceeds100, ); } From 9fa6969d899c68053ff3559cfe56f095c69fd9bd Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 11:12:36 +0000 Subject: [PATCH 24/37] fix docs --- pallets/parachain-staking/src/types.rs | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/pallets/parachain-staking/src/types.rs b/pallets/parachain-staking/src/types.rs index 568847c702..40f73d7621 100644 --- a/pallets/parachain-staking/src/types.rs +++ b/pallets/parachain-staking/src/types.rs @@ -1783,9 +1783,9 @@ impl Default for InflationDistributionConfig { #[derive(Clone, PartialEq, Eq, Encode, Decode, RuntimeDebug, TypeInfo)] /// Reserve information { account, percent_of_inflation } pub struct InflationDistributionAccount { - /// Account which receives funds intended for parachain bond + /// Account which receives funds pub account: AccountId, - /// Percent of inflation set aside for parachain bond account + /// Percent of inflation set aside for the account pub percent: Percent, } impl Default for InflationDistributionAccount { From bbd5639107d861e20fc60b9f2d22b385c81bb6a6 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 11:51:47 +0000 Subject: [PATCH 25/37] fix test --- pallets/parachain-staking/src/lib.rs | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/pallets/parachain-staking/src/lib.rs b/pallets/parachain-staking/src/lib.rs index 6d28df5f9e..647527f0e4 100644 --- a/pallets/parachain-staking/src/lib.rs +++ b/pallets/parachain-staking/src/lib.rs @@ -1484,9 +1484,9 @@ pub mod pallet { let old = >::get().0; let new = new.0; ensure!(old != new, Error::::NoWritingSameValue); - let total_percent = new.iter().fold(Percent::zero(), |acc, x| acc + x.percent); + let total_percent = new.iter().fold(0, |acc, x| acc + x.percent.deconstruct()); ensure!( - total_percent <= Percent::from_percent(100), + total_percent <= 100, Error::::TotalInflationDistributionPercentExceeds100, ); >::put::>( From 8eb0b83dedb2f0775459c37a0f764d94a85baba3 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 12:57:07 +0000 Subject: [PATCH 26/37] fix smoke --- test/suites/smoke/test-staking-rewards.ts | 21 ++++++++++----------- 1 file changed, 10 insertions(+), 11 deletions(-) diff --git a/test/suites/smoke/test-staking-rewards.ts b/test/suites/smoke/test-staking-rewards.ts index efc65b54c3..3e1db7d2cd 100644 --- a/test/suites/smoke/test-staking-rewards.ts +++ b/test/suites/smoke/test-staking-rewards.ts @@ -612,16 +612,15 @@ describeSuite({ // calculate total staking reward const firstBlockRewardedEvents = await payment.delayedPayoutRound.firstBlockApi.query.system.events(); - let reservedForParachainBond = new BN(0); + const reservedInflation = new BN(0); for (const { phase, event } of firstBlockRewardedEvents) { if (!phase.isInitialization) { continue; } const eventTypes = payment.delayedPayoutRound.firstBlockApi.events; // only deduct parachainBondReward if it was transferred (event must exist) - if (eventTypes.parachainStaking.ReservedForParachainBond.is(event)) { - reservedForParachainBond = event.data[1] as any; - break; + if (eventTypes.parachainStaking.InflationDistributed.is(event)) { + reservedInflation.addn(event.data.value.toNumber()) } } @@ -638,15 +637,15 @@ describeSuite({ const reservedPercentage = new Percent(percentage); // total expected staking reward minus the amount reserved for parachain bond const totalStakingReward = (() => { - const parachainBondReward = reservedPercentage.of(totalRoundIssuance); - if (!reservedForParachainBond.isZero()) { + const reservedReward = reservedPercentage.of(totalRoundIssuance); + if (!reservedInflation.isZero()) { expect( - parachainBondReward.eq(reservedForParachainBond), + reservedReward.eq(reservedInflation), `parachain bond amount does not match \ - ${parachainBondReward.toString()} != ${reservedForParachainBond.toString()} \ + ${reservedReward.toString()} != ${reservedInflation.toString()} \ for round ${payment.roundToPay.data.current.toString()}` ).to.be.true; - return totalRoundIssuance.sub(parachainBondReward); + return totalRoundIssuance.sub(reservedReward); } return totalRoundIssuance; @@ -656,12 +655,12 @@ describeSuite({ log(` paidRoundNumber ${payment.roundToPay.data.current.toString()} totalRoundIssuance ${totalRoundIssuance.toString()} - reservedForParachainBond ${reservedForParachainBond} \ + reservedInflation ${reservedInflation} \ (${reservedPercentage} * totalRoundIssuance) totalCollatorCommissionReward ${totalCollatorCommissionReward.toString()} \ (${collatorCommissionRate} * totalRoundIssuance) totalStakingReward ${totalStakingReward} \ - (totalRoundIssuance - reservedForParachainBond) + (totalRoundIssuance - reservedInflation) totalBondReward ${totalBondReward} \ (totalStakingReward - totalCollatorCommissionReward)`); From beb8121134ae07e8a49c7700699065d2f179f05f Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Wed, 2 Oct 2024 13:27:44 +0000 Subject: [PATCH 27/37] fix merge --- pallets/parachain-staking/src/tests.rs | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/pallets/parachain-staking/src/tests.rs b/pallets/parachain-staking/src/tests.rs index c1fb92902d..fd034e7345 100644 --- a/pallets/parachain-staking/src/tests.rs +++ b/pallets/parachain-staking/src/tests.rs @@ -25,8 +25,9 @@ use crate::auto_compound::{AutoCompoundConfig, AutoCompoundDelegations}; use crate::delegation_requests::{CancelledScheduledRequest, DelegationAction, ScheduledRequest}; use crate::mock::{ - roll_blocks, roll_to, roll_to_round_begin, roll_to_round_end, set_author, set_block_author, - Balances, BlockNumber, ExtBuilder, ParachainStaking, RuntimeOrigin, Test, RuntimeEvent, inflation_configs, + inflation_configs, roll_blocks, roll_to, roll_to_round_begin, roll_to_round_end, set_author, + set_block_author, AccountId, Balances, BlockNumber, ExtBuilder, ParachainStaking, RuntimeEvent, + RuntimeOrigin, Test, }; use crate::{ assert_events_emitted, assert_events_emitted_match, assert_events_eq, assert_no_events, From fdae04b3f262bae32a7275a83ca9617c9b35516e Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 09:33:14 +0000 Subject: [PATCH 28/37] test-tmp --- .../moonbase/test-staking/test-rewards5.ts | 118 ++++++++++++++++++ 1 file changed, 118 insertions(+) create mode 100644 test/suites/dev/moonbase/test-staking/test-rewards5.ts diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts new file mode 100644 index 0000000000..783cd6669c --- /dev/null +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -0,0 +1,118 @@ +import "@moonbeam-network/api-augment"; +import { beforeAll, describeSuite, expect } from "@moonwall/cli"; +import { MIN_GLMR_STAKING, alith, baltathar, ethan, dorothy, charleth } from "@moonwall/util"; +import { jumpRounds } from "../../../../helpers"; + +describeSuite({ + id: "D0134655", + title: "Staking - Rewards - Bond + Treasury", + foundationMethods: "dev", + testCases: ({ context, it, log }) => { + const BOND_AMOUNT = MIN_GLMR_STAKING + 1_000_000_000_000_000_000n; + const PBR_PERCENTAGE = 10; + const TREASURY_PERCENTAGE = 20; + + beforeAll(async () => { + await context.createBlock([ + context + .polkadotJs() + .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setInflationDistributionConfig([ + { + account: dorothy.address, + percent: PBR_PERCENTAGE, + }, + { + account: charleth.address, + percent: TREASURY_PERCENTAGE, + } + ])) + .signAsync(alith), + ]); + + await context.createBlock( + [ + context + .polkadotJs() + .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setBlocksPerRound(10)) + .signAsync(alith), + context + .polkadotJs() + .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) + .signAsync(ethan), + context + .polkadotJs() + .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) + .signAsync(baltathar), + ], + { allowFailures: false } + ); + + }); + + it({ + id: "T01", + title: "should reward charleth and dorothy correct amounts", + test: async () => { + const rewardDelay = context.polkadotJs().consts.parachainStaking.rewardPaymentDelay; + let blockHash = (await context.createBlock()).block.hash.toString(); + const allEvents = await (await context.polkadotJs().at(blockHash)).query.system.events(); + await jumpRounds(context, rewardDelay.addn(1).toNumber()); + blockHash = (await context.createBlock()).block.hash.toString(); + allEvents.push(...await (await context.polkadotJs().at(blockHash)).query.system.events()); + + const rewardedEvents = allEvents.reduce( + (acc: { account: string; amount: bigint }[], event) => { + console.log(event.event.section, event.event.method); + if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { + acc.push({ + account: event.event.data.account.toString(), + amount: event.event.data.rewards.toBigInt(), + }); + } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { + acc.push({ + account: event.event.data.account.toString(), + amount: event.event.data.value.toBigInt(), + }); + } + return acc; + }, + [] + ); + + const rewardedEthan = rewardedEvents.find(({ account }) => account == ethan.address); + const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar.address); + + const rewardedPbr = rewardedEvents.find(({ account }) => account == dorothy.address); + const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth.address); + + + + expect(rewardedEthan).is.not.undefined; + expect(rewardedBalathar).is.not.undefined; + expect(rewardedPbr).is.not.undefined; + expect(rewardedTreasury).is.not.undefined; + + const totalReward = rewardedEvents.reduce((acc, { amount }) => acc + amount, 0n); + const reservedReward = rewardedPbr!.amount + rewardedTreasury!.amount; + const otherReward = totalReward - reservedReward; + const otherPercentage = BigInt(100 - PBR_PERCENTAGE - TREASURY_PERCENTAGE); + + const reservedRewardPercentage = ((reservedReward * 100n) / totalReward); + const actualOtherPercentage = ((otherReward * 100n) / totalReward); + + expect(reservedRewardPercentage.toString(), "Reserved reward percentage is not correct") + .toEqual((PBR_PERCENTAGE + TREASURY_PERCENTAGE).toString()); + expect(actualOtherPercentage.toString(), "Other reward percentage is not correct") + .toEqual(otherPercentage.toString()); + + const pbrPercentage = (rewardedPbr!.amount * 100n) / totalReward; + const treasuryPercentage = (rewardedTreasury!.amount * 100n) / totalReward; + + expect(pbrPercentage.toString(), "PBR reward percentage is not correct") + .toEqual(PBR_PERCENTAGE.toString()); + expect(treasuryPercentage.toString(), "Treasury reward percentage is not correct") + .toEqual(TREASURY_PERCENTAGE.toString()); + }, + }); + }, +}); From b4105f82a3aee3dcbd37716c898325810cd5395f Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 16:30:00 +0000 Subject: [PATCH 29/37] fix --- test/package.json | 2 +- .../moonbase/test-staking/test-rewards5.ts | 78 +++++++++++++------ 2 files changed, 56 insertions(+), 24 deletions(-) diff --git a/test/package.json b/test/package.json index 84f0448100..1db6fbc176 100644 --- a/test/package.json +++ b/test/package.json @@ -17,7 +17,7 @@ "license": "ISC", "dependencies": { "@acala-network/chopsticks": "0.15.0", - "@moonbeam-network/api-augment": "link:../typescript-api", + "@moonbeam-network/api-augment": "0.2902.0", "@moonwall/cli": "5.3.3", "@moonwall/util": "5.3.3", "@openzeppelin/contracts": "4.9.6", diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index 783cd6669c..13f2711163 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -2,6 +2,7 @@ import "@moonbeam-network/api-augment"; import { beforeAll, describeSuite, expect } from "@moonwall/cli"; import { MIN_GLMR_STAKING, alith, baltathar, ethan, dorothy, charleth } from "@moonwall/util"; import { jumpRounds } from "../../../../helpers"; +import { FrameSystemEventRecord } from "@polkadot/types/lookup"; describeSuite({ id: "D0134655", @@ -29,40 +30,58 @@ describeSuite({ .signAsync(alith), ]); - await context.createBlock( - [ - context - .polkadotJs() - .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setBlocksPerRound(10)) - .signAsync(alith), - context - .polkadotJs() - .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) - .signAsync(ethan), - context - .polkadotJs() - .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) - .signAsync(baltathar), - ], - { allowFailures: false } - ); - }); it({ id: "T01", title: "should reward charleth and dorothy correct amounts", test: async () => { + const startBlockHash = (await context.createBlock( + [ + context + .polkadotJs() + .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setBlocksPerRound(10)) + .signAsync(alith), + context + .polkadotJs() + .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) + .signAsync(ethan), + context + .polkadotJs() + .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) + .signAsync(baltathar), + ], + { allowFailures: false } + )).block.hash.toString(); + const rewardDelay = context.polkadotJs().consts.parachainStaking.rewardPaymentDelay; - let blockHash = (await context.createBlock()).block.hash.toString(); - const allEvents = await (await context.polkadotJs().at(blockHash)).query.system.events(); + const round = (await context.polkadotJs().query.parachainStaking.round()).length; + console.log(`Round length: ${round}`); + console.log(`Reward delay: ${rewardDelay.toString()}`); await jumpRounds(context, rewardDelay.addn(1).toNumber()); - blockHash = (await context.createBlock()).block.hash.toString(); - allEvents.push(...await (await context.polkadotJs().at(blockHash)).query.system.events()); + const endBlockHash = (await context.createBlock()).block.hash.toString(); + + const allEvents: FrameSystemEventRecord[] = []; + const parent = (await context.polkadotJs().rpc.chain.getHeader(startBlockHash)).parentHash.toString(); + let c = 0; + for (let hash = endBlockHash; hash != parent; hash = (await context.polkadotJs().rpc.chain.getHeader(hash)).parentHash.toString()) { + const events = await (await context.polkadotJs().at(hash)).query.system.events(); + const bnumber = (await context.polkadotJs().rpc.chain.getHeader(hash)).number.toNumber(); + console.log(`[${bnumber}] Events at block ${hash}`); + events.forEach((event) => { + if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { + console.log(event.event.section, event.event.method); + console.log("\t>" + event.event.data.account.toString(), event.event.data.rewards.toBigInt().toString()); + } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { + console.log(event.event.section, event.event.method); + console.log("\t>" + event.event.data.account.toString(), event.event.data.value.toBigInt().toString()); + } + }); + allEvents.push(...events); + } const rewardedEvents = allEvents.reduce( (acc: { account: string; amount: bigint }[], event) => { - console.log(event.event.section, event.event.method); if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { acc.push({ account: event.event.data.account.toString(), @@ -79,6 +98,7 @@ describeSuite({ [] ); + const rewardedAlith = rewardedEvents.find(({ account }) => account == alith.address); const rewardedEthan = rewardedEvents.find(({ account }) => account == ethan.address); const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar.address); @@ -87,6 +107,7 @@ describeSuite({ + expect(rewardedAlith).is.not.undefined; expect(rewardedEthan).is.not.undefined; expect(rewardedBalathar).is.not.undefined; expect(rewardedPbr).is.not.undefined; @@ -100,6 +121,17 @@ describeSuite({ const reservedRewardPercentage = ((reservedReward * 100n) / totalReward); const actualOtherPercentage = ((otherReward * 100n) / totalReward); + //log all the above values + console.log(`Total reward: ${totalReward}`); + console.log(`Reserved reward: ${reservedReward}`); + console.log(`Other reward: ${otherReward}`); + console.log(`Reserved reward percentage: ${reservedRewardPercentage}`); + console.log(`Other reward percentage: ${actualOtherPercentage}`); + console.log(`PBR reward: ${rewardedPbr!.amount}`); + console.log(`Treasury reward: ${rewardedTreasury!.amount}`); + + + expect(reservedRewardPercentage.toString(), "Reserved reward percentage is not correct") .toEqual((PBR_PERCENTAGE + TREASURY_PERCENTAGE).toString()); expect(actualOtherPercentage.toString(), "Other reward percentage is not correct") From e0e37c0efd6eb23e8391269326cbf39f8ed67269 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 16:30:13 +0000 Subject: [PATCH 30/37] fix --- .../moonbase/test-staking/test-rewards5.ts | 300 +++++++++--------- 1 file changed, 150 insertions(+), 150 deletions(-) diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index 13f2711163..929cb27054 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -1,150 +1,150 @@ -import "@moonbeam-network/api-augment"; -import { beforeAll, describeSuite, expect } from "@moonwall/cli"; -import { MIN_GLMR_STAKING, alith, baltathar, ethan, dorothy, charleth } from "@moonwall/util"; -import { jumpRounds } from "../../../../helpers"; -import { FrameSystemEventRecord } from "@polkadot/types/lookup"; - -describeSuite({ - id: "D0134655", - title: "Staking - Rewards - Bond + Treasury", - foundationMethods: "dev", - testCases: ({ context, it, log }) => { - const BOND_AMOUNT = MIN_GLMR_STAKING + 1_000_000_000_000_000_000n; - const PBR_PERCENTAGE = 10; - const TREASURY_PERCENTAGE = 20; - - beforeAll(async () => { - await context.createBlock([ - context - .polkadotJs() - .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setInflationDistributionConfig([ - { - account: dorothy.address, - percent: PBR_PERCENTAGE, - }, - { - account: charleth.address, - percent: TREASURY_PERCENTAGE, - } - ])) - .signAsync(alith), - ]); - - }); - - it({ - id: "T01", - title: "should reward charleth and dorothy correct amounts", - test: async () => { - const startBlockHash = (await context.createBlock( - [ - context - .polkadotJs() - .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setBlocksPerRound(10)) - .signAsync(alith), - context - .polkadotJs() - .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) - .signAsync(ethan), - context - .polkadotJs() - .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) - .signAsync(baltathar), - ], - { allowFailures: false } - )).block.hash.toString(); - - const rewardDelay = context.polkadotJs().consts.parachainStaking.rewardPaymentDelay; - const round = (await context.polkadotJs().query.parachainStaking.round()).length; - console.log(`Round length: ${round}`); - console.log(`Reward delay: ${rewardDelay.toString()}`); - await jumpRounds(context, rewardDelay.addn(1).toNumber()); - const endBlockHash = (await context.createBlock()).block.hash.toString(); - - const allEvents: FrameSystemEventRecord[] = []; - const parent = (await context.polkadotJs().rpc.chain.getHeader(startBlockHash)).parentHash.toString(); - let c = 0; - for (let hash = endBlockHash; hash != parent; hash = (await context.polkadotJs().rpc.chain.getHeader(hash)).parentHash.toString()) { - const events = await (await context.polkadotJs().at(hash)).query.system.events(); - const bnumber = (await context.polkadotJs().rpc.chain.getHeader(hash)).number.toNumber(); - console.log(`[${bnumber}] Events at block ${hash}`); - events.forEach((event) => { - if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { - console.log(event.event.section, event.event.method); - console.log("\t>" + event.event.data.account.toString(), event.event.data.rewards.toBigInt().toString()); - } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { - console.log(event.event.section, event.event.method); - console.log("\t>" + event.event.data.account.toString(), event.event.data.value.toBigInt().toString()); - } - }); - allEvents.push(...events); - } - - const rewardedEvents = allEvents.reduce( - (acc: { account: string; amount: bigint }[], event) => { - if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { - acc.push({ - account: event.event.data.account.toString(), - amount: event.event.data.rewards.toBigInt(), - }); - } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { - acc.push({ - account: event.event.data.account.toString(), - amount: event.event.data.value.toBigInt(), - }); - } - return acc; - }, - [] - ); - - const rewardedAlith = rewardedEvents.find(({ account }) => account == alith.address); - const rewardedEthan = rewardedEvents.find(({ account }) => account == ethan.address); - const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar.address); - - const rewardedPbr = rewardedEvents.find(({ account }) => account == dorothy.address); - const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth.address); - - - - expect(rewardedAlith).is.not.undefined; - expect(rewardedEthan).is.not.undefined; - expect(rewardedBalathar).is.not.undefined; - expect(rewardedPbr).is.not.undefined; - expect(rewardedTreasury).is.not.undefined; - - const totalReward = rewardedEvents.reduce((acc, { amount }) => acc + amount, 0n); - const reservedReward = rewardedPbr!.amount + rewardedTreasury!.amount; - const otherReward = totalReward - reservedReward; - const otherPercentage = BigInt(100 - PBR_PERCENTAGE - TREASURY_PERCENTAGE); - - const reservedRewardPercentage = ((reservedReward * 100n) / totalReward); - const actualOtherPercentage = ((otherReward * 100n) / totalReward); - - //log all the above values - console.log(`Total reward: ${totalReward}`); - console.log(`Reserved reward: ${reservedReward}`); - console.log(`Other reward: ${otherReward}`); - console.log(`Reserved reward percentage: ${reservedRewardPercentage}`); - console.log(`Other reward percentage: ${actualOtherPercentage}`); - console.log(`PBR reward: ${rewardedPbr!.amount}`); - console.log(`Treasury reward: ${rewardedTreasury!.amount}`); - - - - expect(reservedRewardPercentage.toString(), "Reserved reward percentage is not correct") - .toEqual((PBR_PERCENTAGE + TREASURY_PERCENTAGE).toString()); - expect(actualOtherPercentage.toString(), "Other reward percentage is not correct") - .toEqual(otherPercentage.toString()); - - const pbrPercentage = (rewardedPbr!.amount * 100n) / totalReward; - const treasuryPercentage = (rewardedTreasury!.amount * 100n) / totalReward; - - expect(pbrPercentage.toString(), "PBR reward percentage is not correct") - .toEqual(PBR_PERCENTAGE.toString()); - expect(treasuryPercentage.toString(), "Treasury reward percentage is not correct") - .toEqual(TREASURY_PERCENTAGE.toString()); - }, - }); - }, -}); +// import "@moonbeam-network/api-augment"; +// import { beforeAll, describeSuite, expect } from "@moonwall/cli"; +// import { MIN_GLMR_STAKING, alith, baltathar, ethan, dorothy, charleth } from "@moonwall/util"; +// import { jumpRounds } from "../../../../helpers"; +// import { FrameSystemEventRecord } from "@polkadot/types/lookup"; + +// describeSuite({ +// id: "D0134655", +// title: "Staking - Rewards - Bond + Treasury", +// foundationMethods: "dev", +// testCases: ({ context, it, log }) => { +// const BOND_AMOUNT = MIN_GLMR_STAKING + 1_000_000_000_000_000_000n; +// const PBR_PERCENTAGE = 10; +// const TREASURY_PERCENTAGE = 20; + +// beforeAll(async () => { +// await context.createBlock([ +// context +// .polkadotJs() +// .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setInflationDistributionConfig([ +// { +// account: dorothy.address, +// percent: PBR_PERCENTAGE, +// }, +// { +// account: charleth.address, +// percent: TREASURY_PERCENTAGE, +// } +// ])) +// .signAsync(alith), +// ]); + +// }); + +// it({ +// id: "T01", +// title: "should reward charleth and dorothy correct amounts", +// test: async () => { +// const startBlockHash = (await context.createBlock( +// [ +// context +// .polkadotJs() +// .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setBlocksPerRound(10)) +// .signAsync(alith), +// context +// .polkadotJs() +// .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) +// .signAsync(ethan), +// context +// .polkadotJs() +// .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) +// .signAsync(baltathar), +// ], +// { allowFailures: false } +// )).block.hash.toString(); + +// const rewardDelay = context.polkadotJs().consts.parachainStaking.rewardPaymentDelay; +// const round = (await context.polkadotJs().query.parachainStaking.round()).length; +// console.log(`Round length: ${round}`); +// console.log(`Reward delay: ${rewardDelay.toString()}`); +// await jumpRounds(context, rewardDelay.addn(1).toNumber()); +// const endBlockHash = (await context.createBlock()).block.hash.toString(); + +// const allEvents: FrameSystemEventRecord[] = []; +// const parent = (await context.polkadotJs().rpc.chain.getHeader(startBlockHash)).parentHash.toString(); +// let c = 0; +// for (let hash = endBlockHash; hash != parent; hash = (await context.polkadotJs().rpc.chain.getHeader(hash)).parentHash.toString()) { +// const events = await (await context.polkadotJs().at(hash)).query.system.events(); +// const bnumber = (await context.polkadotJs().rpc.chain.getHeader(hash)).number.toNumber(); +// console.log(`[${bnumber}] Events at block ${hash}`); +// events.forEach((event) => { +// if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { +// console.log(event.event.section, event.event.method); +// console.log("\t>" + event.event.data.account.toString(), event.event.data.rewards.toBigInt().toString()); +// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { +// console.log(event.event.section, event.event.method); +// console.log("\t>" + event.event.data.account.toString(), event.event.data.value.toBigInt().toString()); +// } +// }); +// allEvents.push(...events); +// } + +// const rewardedEvents = allEvents.reduce( +// (acc: { account: string; amount: bigint }[], event) => { +// if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { +// acc.push({ +// account: event.event.data.account.toString(), +// amount: event.event.data.rewards.toBigInt(), +// }); +// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { +// acc.push({ +// account: event.event.data.account.toString(), +// amount: event.event.data.value.toBigInt(), +// }); +// } +// return acc; +// }, +// [] +// ); + +// const rewardedAlith = rewardedEvents.find(({ account }) => account == alith.address); +// const rewardedEthan = rewardedEvents.find(({ account }) => account == ethan.address); +// const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar.address); + +// const rewardedPbr = rewardedEvents.find(({ account }) => account == dorothy.address); +// const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth.address); + + + +// expect(rewardedAlith).is.not.undefined; +// expect(rewardedEthan).is.not.undefined; +// expect(rewardedBalathar).is.not.undefined; +// expect(rewardedPbr).is.not.undefined; +// expect(rewardedTreasury).is.not.undefined; + +// const totalReward = rewardedEvents.reduce((acc, { amount }) => acc + amount, 0n); +// const reservedReward = rewardedPbr!.amount + rewardedTreasury!.amount; +// const otherReward = totalReward - reservedReward; +// const otherPercentage = BigInt(100 - PBR_PERCENTAGE - TREASURY_PERCENTAGE); + +// const reservedRewardPercentage = ((reservedReward * 100n) / totalReward); +// const actualOtherPercentage = ((otherReward * 100n) / totalReward); + +// //log all the above values +// console.log(`Total reward: ${totalReward}`); +// console.log(`Reserved reward: ${reservedReward}`); +// console.log(`Other reward: ${otherReward}`); +// console.log(`Reserved reward percentage: ${reservedRewardPercentage}`); +// console.log(`Other reward percentage: ${actualOtherPercentage}`); +// console.log(`PBR reward: ${rewardedPbr!.amount}`); +// console.log(`Treasury reward: ${rewardedTreasury!.amount}`); + + + +// expect(reservedRewardPercentage.toString(), "Reserved reward percentage is not correct") +// .toEqual((PBR_PERCENTAGE + TREASURY_PERCENTAGE).toString()); +// expect(actualOtherPercentage.toString(), "Other reward percentage is not correct") +// .toEqual(otherPercentage.toString()); + +// const pbrPercentage = (rewardedPbr!.amount * 100n) / totalReward; +// const treasuryPercentage = (rewardedTreasury!.amount * 100n) / totalReward; + +// expect(pbrPercentage.toString(), "PBR reward percentage is not correct") +// .toEqual(PBR_PERCENTAGE.toString()); +// expect(treasuryPercentage.toString(), "Treasury reward percentage is not correct") +// .toEqual(TREASURY_PERCENTAGE.toString()); +// }, +// }); +// }, +// }); From 8aaa40888f29387be2a19f0db685c643c4517d42 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 17:45:30 +0000 Subject: [PATCH 31/37] fix --- test/pnpm-lock.yaml | 1020 +++++------------ .../moonbase/test-staking/test-rewards5.ts | 22 +- test/suites/smoke/test-staking-rewards.ts | 2 +- 3 files changed, 300 insertions(+), 744 deletions(-) diff --git a/test/pnpm-lock.yaml b/test/pnpm-lock.yaml index 77d27351ef..399786a0c9 100644 --- a/test/pnpm-lock.yaml +++ b/test/pnpm-lock.yaml @@ -4,275 +4,181 @@ settings: autoInstallPeers: true excludeLinksFromLockfile: false -dependencies: - '@acala-network/chopsticks': - specifier: 0.16.1 - version: 0.16.1(debug@4.3.7) - '@moonbeam-network/api-augment': - specifier: 0.2902.0 - version: 0.2902.0 - '@moonwall/cli': - specifier: 5.3.3 - version: 5.3.3(@acala-network/chopsticks@0.16.1)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1) - '@moonwall/util': - specifier: 5.3.3 - version: 5.3.3(@polkadot/api@13.0.1)(typescript@5.6.2)(vitest@2.1.1) - '@openzeppelin/contracts': - specifier: 4.9.6 - version: 4.9.6 - '@polkadot-api/merkleize-metadata': - specifier: 1.1.4 - version: 1.1.4 - '@polkadot/api': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/api-augment': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/api-derive': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/apps-config': - specifier: 0.143.2 - version: 0.143.2(@polkadot/keyring@13.1.1)(react-dom@18.3.1)(react-is@18.3.1)(react@18.3.1) - '@polkadot/keyring': - specifier: 13.1.1 - version: 13.1.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@polkadot/rpc-provider': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/types': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/types-codec': - specifier: 13.0.1 - version: 13.0.1 - '@polkadot/util': - specifier: 13.1.1 - version: 13.1.1 - '@polkadot/util-crypto': - specifier: 13.1.1 - version: 13.1.1(@polkadot/util@13.1.1) - '@substrate/txwrapper-core': - specifier: 7.5.1 - version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@substrate/txwrapper-substrate': - specifier: 7.5.1 - version: 7.5.1(@polkadot/util-crypto@13.1.1)(@polkadot/util@13.1.1) - '@vitest/ui': - specifier: 2.1.1 - version: 2.1.1(vitest@2.1.1) - '@zombienet/utils': - specifier: 0.0.25 - version: 0.0.25(@types/node@22.7.0)(typescript@5.6.2) - chalk: - specifier: 5.3.0 - version: 5.3.0 - eth-object: - specifier: github:aurora-is-near/eth-object#master - version: github.com/aurora-is-near/eth-object/378b8dbf44a71f7049666cea5a16ab88d45aed06 - ethers: - specifier: 6.13.2 - version: 6.13.2 - json-bigint: - specifier: 1.0.0 - version: 1.0.0 - json-stable-stringify: - specifier: 1.1.1 - version: 1.1.1 - merkle-patricia-tree: - specifier: 4.2.4 - version: 4.2.4 - node-fetch: - specifier: 3.3.2 - version: 3.3.2 - octokit: - specifier: ^4.0.2 - version: 4.0.2 - randomness: - specifier: 1.6.14 - version: 1.6.14 - rlp: - specifier: 3.0.0 - version: 3.0.0 - semver: - specifier: 7.6.3 - version: 7.6.3 - solc: - specifier: 0.8.25 - version: 0.8.25(debug@4.3.7) - tsx: - specifier: 4.16.2 - version: 4.16.2 - viem: - specifier: 2.21.14 - version: 2.21.14(typescript@5.6.2) - vitest: - specifier: 2.1.1 - version: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1) - web3: - specifier: 4.13.0 - version: 4.13.0(typescript@5.6.2) - yaml: - specifier: 2.5.1 - version: 2.5.1 - -devDependencies: - '@types/debug': - specifier: 4.1.12 - version: 4.1.12 - '@types/json-bigint': - specifier: ^1.0.4 - version: 1.0.4 - '@types/node': - specifier: 22.7.0 - version: 22.7.0 - '@types/semver': - specifier: 7.5.8 - version: 7.5.8 - '@types/yargs': - specifier: 17.0.33 - version: 17.0.33 - '@typescript-eslint/eslint-plugin': - specifier: 7.5.0 - version: 7.5.0(@typescript-eslint/parser@7.5.0)(eslint@8.57.0)(typescript@5.6.2) - '@typescript-eslint/parser': - specifier: 7.5.0 - version: 7.5.0(eslint@8.57.0)(typescript@5.6.2) - bottleneck: - specifier: 2.19.5 - version: 2.19.5 - debug: - specifier: 4.3.7 - version: 4.3.7(supports-color@8.1.1) - eslint: - specifier: 8.57.0 - version: 8.57.0 - eslint-plugin-unused-imports: - specifier: 3.1.0 - version: 3.1.0(@typescript-eslint/eslint-plugin@7.5.0)(eslint@8.57.0) - prettier: - specifier: 2.8.8 - version: 2.8.8 - typescript: - specifier: 5.6.2 - version: 5.6.2 - yargs: - specifier: 17.7.2 - version: 17.7.2 +importers: + + .: + dependencies: + '@acala-network/chopsticks': + specifier: 0.16.1 + version: 0.16.1(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) + '@moonbeam-network/api-augment': + specifier: 0.2902.0 + version: 0.2902.0 + '@moonwall/cli': + specifier: 5.3.3 + version: 5.3.3(@acala-network/chopsticks@0.16.1(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10))(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@types/node@22.7.0)(@vitest/ui@2.1.1)(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1)(zod@3.23.8) + '@moonwall/util': + specifier: 5.3.3 + version: 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1)(zod@3.23.8) + '@openzeppelin/contracts': + specifier: 4.9.6 + version: 4.9.6 + '@polkadot-api/merkleize-metadata': + specifier: 1.1.4 + version: 1.1.4 + '@polkadot/api': + specifier: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': + specifier: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': + specifier: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/apps-config': + specifier: 0.143.2 + version: 0.143.2(@polkadot/keyring@13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1))(bufferutil@4.0.8)(encoding@0.1.13)(react-dom@18.3.1(react@18.3.1))(react-is@18.3.1)(react@18.3.1)(utf-8-validate@5.0.10) + '@polkadot/keyring': + specifier: 13.1.1 + version: 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) + '@polkadot/rpc-provider': + specifier: 13.0.1 + version: 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/types-codec': + specifier: 13.0.1 + version: 13.0.1 + '@polkadot/util': + specifier: 13.1.1 + version: 13.1.1 + '@polkadot/util-crypto': + specifier: 13.1.1 + version: 13.1.1(@polkadot/util@13.1.1) + '@substrate/txwrapper-core': + specifier: 7.5.1 + version: 7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@substrate/txwrapper-substrate': + specifier: 7.5.1 + version: 7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@vitest/ui': + specifier: 2.1.1 + version: 2.1.1(vitest@2.1.1) + '@zombienet/utils': + specifier: 0.0.25 + version: 0.0.25(@types/node@22.7.0)(chokidar@3.6.0)(typescript@5.6.2) + chalk: + specifier: 5.3.0 + version: 5.3.0 + eth-object: + specifier: github:aurora-is-near/eth-object#master + version: https://codeload.github.com/aurora-is-near/eth-object/tar.gz/378b8dbf44a71f7049666cea5a16ab88d45aed06(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + ethers: + specifier: 6.13.2 + version: 6.13.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) + json-bigint: + specifier: 1.0.0 + version: 1.0.0 + json-stable-stringify: + specifier: 1.1.1 + version: 1.1.1 + merkle-patricia-tree: + specifier: 4.2.4 + version: 4.2.4 + node-fetch: + specifier: 3.3.2 + version: 3.3.2 + octokit: + specifier: ^4.0.2 + version: 4.0.2 + randomness: + specifier: 1.6.14 + version: 1.6.14 + rlp: + specifier: 3.0.0 + version: 3.0.0 + semver: + specifier: 7.6.3 + version: 7.6.3 + solc: + specifier: 0.8.25 + version: 0.8.25(debug@4.3.7) + tsx: + specifier: 4.16.2 + version: 4.16.2 + viem: + specifier: 2.21.14 + version: 2.21.14(bufferutil@4.0.8)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + vitest: + specifier: 2.1.1 + version: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) + web3: + specifier: 4.13.0 + version: 4.13.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + yaml: + specifier: 2.5.1 + version: 2.5.1 + devDependencies: + '@types/debug': + specifier: 4.1.12 + version: 4.1.12 + '@types/json-bigint': + specifier: ^1.0.4 + version: 1.0.4 + '@types/node': + specifier: 22.7.0 + version: 22.7.0 + '@types/semver': + specifier: 7.5.8 + version: 7.5.8 + '@types/yargs': + specifier: 17.0.33 + version: 17.0.33 + '@typescript-eslint/eslint-plugin': + specifier: 7.5.0 + version: 7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2) + '@typescript-eslint/parser': + specifier: 7.5.0 + version: 7.5.0(eslint@8.57.0)(typescript@5.6.2) + bottleneck: + specifier: 2.19.5 + version: 2.19.5 + debug: + specifier: 4.3.7 + version: 4.3.7(supports-color@8.1.1) + eslint: + specifier: 8.57.0 + version: 8.57.0 + eslint-plugin-unused-imports: + specifier: 3.1.0 + version: 3.1.0(@typescript-eslint/eslint-plugin@7.5.0(@typescript-eslint/parser@7.5.0(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0)(typescript@5.6.2))(eslint@8.57.0) + prettier: + specifier: 2.8.8 + version: 2.8.8 + typescript: + specifier: 5.6.2 + version: 5.6.2 + yargs: + specifier: 17.7.2 + version: 17.7.2 packages: - /@acala-network/chopsticks-core@0.16.1: + '@acala-network/chopsticks-core@0.16.1': resolution: {integrity: sha512-1pOw0Avji/ejOE90gN9F/6nTt9+cr683vBLC8rg6YYGwgKlCK0DLaU+wGMFYklSVfhyGVpaZj333LAnrCKYi+g==} - dependencies: - '@acala-network/chopsticks-executor': 0.16.1 - '@polkadot/rpc-provider': 12.4.2 - '@polkadot/types': 12.4.2 - '@polkadot/types-codec': 12.4.2 - '@polkadot/types-known': 12.4.2 - '@polkadot/util': 13.1.1 - '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - comlink: 4.4.1 - eventemitter3: 5.0.1 - lodash: 4.17.21 - lru-cache: 10.3.0 - pino: 8.21.0 - pino-pretty: 11.2.1 - rxjs: 7.8.1 - zod: 3.23.8 - transitivePeerDependencies: - - bufferutil - - supports-color - - utf-8-validate - dev: false - /@acala-network/chopsticks-db@0.16.1: + '@acala-network/chopsticks-db@0.16.1': resolution: {integrity: sha512-FV4LTxou7pn6drVyr5jWB6T16Sfa3s74L+XHVOZO1NERzjwXtCJsoKnqtppcyB4awNm+UIqFBIOE4kgfIUvwOw==} - dependencies: - '@acala-network/chopsticks-core': 0.16.1 - '@polkadot/util': 13.1.1 - idb: 8.0.0 - sqlite3: 5.1.7 - typeorm: 0.3.20(sqlite3@5.1.7) - transitivePeerDependencies: - - '@google-cloud/spanner' - - '@sap/hana-client' - - better-sqlite3 - - bluebird - - bufferutil - - hdb-pool - - ioredis - - mongodb - - mssql - - mysql2 - - oracledb - - pg - - pg-native - - pg-query-stream - - redis - - sql.js - - supports-color - - ts-node - - typeorm-aurora-data-api-driver - - utf-8-validate - dev: false - /@acala-network/chopsticks-executor@0.16.1: + '@acala-network/chopsticks-executor@0.16.1': resolution: {integrity: sha512-sSBTtr661XqbgXYjxLQCoWZZfd30RdZUiwIHqGr9l48jshlR1jC+QMt39XL3pV3nBh0jv7bTxt8P242ZbJ4ktA==} - dependencies: - '@polkadot/util': 13.1.1 - '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - dev: false - /@acala-network/chopsticks@0.16.1(debug@4.3.7): + '@acala-network/chopsticks@0.16.1': resolution: {integrity: sha512-9gWKIFDns3R7QmmNOOtRW4+RSOLav8dpIzNjTLGoUSY2MXe1iU207+bLiooXFja4sRyJIQ2RwDvCdPIzAxTXcA==} hasBin: true - dependencies: - '@acala-network/chopsticks-core': 0.16.1 - '@acala-network/chopsticks-db': 0.16.1 - '@pnpm/npm-conf': 2.2.2 - '@polkadot/api': 12.4.2 - '@polkadot/api-augment': 12.4.2 - '@polkadot/rpc-provider': 12.4.2 - '@polkadot/types': 12.4.2 - '@polkadot/util': 13.1.1 - '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) - axios: 1.7.7(debug@4.3.7) - comlink: 4.4.1 - dotenv: 16.4.5 - global-agent: 3.0.0 - js-yaml: 4.1.0 - jsondiffpatch: 0.5.0 - lodash: 4.17.21 - ws: 8.18.0 - yargs: 17.7.2 - zod: 3.23.8 - transitivePeerDependencies: - - '@google-cloud/spanner' - - '@sap/hana-client' - - better-sqlite3 - - bluebird - - bufferutil - - debug - - hdb-pool - - ioredis - - mongodb - - mssql - - mysql2 - - oracledb - - pg - - pg-native - - pg-query-stream - - redis - - sql.js - - supports-color - - ts-node - - typeorm-aurora-data-api-driver - - utf-8-validate - dev: false - /@acala-network/type-definitions@5.1.2(@polkadot/types@12.4.2): + '@acala-network/type-definitions@5.1.2': resolution: {integrity: sha512-di3HH8Zn8i1jkQkQiwc44A8ovN9MvK5HwcNV3ngvW3TeF0dHbpHBQHdElJYpVge5IaEyhQ0kWihIEnVqpw4G9A==} peerDependencies: '@polkadot/types': ^10.5.1 @@ -757,9 +663,6 @@ packages: resolution: {integrity: sha512-dSYZh7HhCDtCKm4QakX0xFpsRDqjjtZf/kjI/v3T3Nwt5r8/qz/M19F9ySyOqU94SXBmeG9ttTul+YnR4LOxFA==} engines: {node: '>=6.0.0'} - '@jridgewell/sourcemap-codec@1.4.15': - resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==} - '@jridgewell/sourcemap-codec@1.5.0': resolution: {integrity: sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==} @@ -1143,8 +1046,8 @@ packages: resolution: {integrity: sha512-r5R2U8PSPNGBsz+HxZ1JYq/KkDSnDh1aBb+H16wKj2uByXKhedpuGt/z1Myvhfm084ccTloZjXDbfpSdYBLi4Q==} engines: {node: '>=18'} - '@polkadot/api-augment@13.2.1': - resolution: {integrity: sha512-NTkI+/Hm48eWc/4Ojh/5elxnjnow5ptXK97IZdkWAe7mWi9hJR05Uq5lGt/T/57E9LSRWEuYje8cIDS3jbbAAw==} + '@polkadot/api-augment@14.0.1': + resolution: {integrity: sha512-+ZHq3JaQZ/3Q45r6/YQBeLfoP8S5ibgkOvLKnKA9cJeF7oP5Qgi6pAEnGW0accfnT9PyCEco9fD/ZOLR9Yka7w==} engines: {node: '>=18'} '@polkadot/api-augment@7.15.1': @@ -1175,8 +1078,8 @@ packages: resolution: {integrity: sha512-TDkgcSZLd3YQ3j9Zx6coEEiBazaK6y3CboaIuUbPNxR9DchlVdIJWSm/1Agh76opsEABK9SjDfsWzVw0TStidA==} engines: {node: '>=18'} - '@polkadot/api-base@13.2.1': - resolution: {integrity: sha512-00twdIjTjzdYNdU19i2YKLoWBmf2Yr6b3qrvqIVScHipUkKMbfFBgoPRB5FtcviBbEvLurgfyzHklwnrbWo8GQ==} + '@polkadot/api-base@14.0.1': + resolution: {integrity: sha512-OVnDiztKx/1ktae9eCzO1q8lmKEfnQ71fipo8JkDJOMIN4vT1IqL9KQo4e/Xz8UtOfTJ0H8kZ6evaLqdA3ZYOA==} engines: {node: '>=18'} '@polkadot/api-base@7.15.1': @@ -1207,8 +1110,8 @@ packages: resolution: {integrity: sha512-TiPSFp6l9ks0HLJoEWHyqKKz28eoWz3xqglFG10As0udU8J1u8trPyr+SLWHT0DVsto3u9CP+OneWWMA7fTlCw==} engines: {node: '>=18'} - '@polkadot/api-derive@13.2.1': - resolution: {integrity: sha512-npxvS0kYcSFqmYv2G8QKWAJwFhIv/MBuGU0bV7cGP9K1A3j2Do3yYjvN1dTtY20jBavWNwmWFdXBV6/TRRsgmg==} + '@polkadot/api-derive@14.0.1': + resolution: {integrity: sha512-ADQMre3DRRW/0rhJqxOVhQ1vqtyafP2dSZJ0qEAsto12q2WMSF8CZWo7pXe4DxiniDkZx3zVq4z5lqw2aBRLfg==} engines: {node: '>=18'} '@polkadot/api-derive@7.15.1': @@ -1239,8 +1142,8 @@ packages: resolution: {integrity: sha512-st+Y5I8+7/3PCtO651viU4C7PcbDZJHB93acPjqCGzpekwrxOmnBEsupw8CcJwyRVzj/7qMadkSd0b/Uc8JqIA==} engines: {node: '>=18'} - '@polkadot/api@13.2.1': - resolution: {integrity: sha512-QvgKD3/q6KIU3ZuNYFJUNc6B8bGBoqeMF+iaPxJn3Twhh4iVD5XIymD5fVszSqiL1uPXMhzcWecjwE8rDidBoQ==} + '@polkadot/api@14.0.1': + resolution: {integrity: sha512-CDSaUiJpXu9aE6MaTg14K+9Trf8K2PBHcD3Xl5m5KOvJperWgYFxoCqV3rXLIBWt69LgHhMYlq5JSPRHxejIsw==} engines: {node: '>=18'} '@polkadot/api@7.15.1': @@ -1352,8 +1255,8 @@ packages: resolution: {integrity: sha512-igXNG8mONVgqS4Olt7+WmPoX7G/QL/xrHkPOAD2sbS8+p8LC2gDe/+vVFIkKtEKAHgYSel3vZT3iIppjtEG6gw==} engines: {node: '>=18'} - '@polkadot/rpc-augment@13.2.1': - resolution: {integrity: sha512-HkndaAJPR1fi2xrzvP3q4g48WUCb26btGTeg1AKG9FGx9P2dgtpaPRmbMitmgVSzzRurrkxf3Meip8nC7BwDeg==} + '@polkadot/rpc-augment@14.0.1': + resolution: {integrity: sha512-M0CbN/IScqiedYI2TmoQ+SoeEdJHfxGeQD1qJf9uYv9LILK+x1/5fyr5DrZ3uCGVmLuObWAJLnHTs0BzJcSHTQ==} engines: {node: '>=18'} '@polkadot/rpc-augment@7.15.1': @@ -1384,8 +1287,8 @@ packages: resolution: {integrity: sha512-+z7/4RUsJKiELEunZgXvi4GkGgjPhQd3+RYwCCN455efJ15SHPgdREsAOwUSBO5/dODqXeqZYojKAUIxMlJNqw==} engines: {node: '>=18'} - '@polkadot/rpc-core@13.2.1': - resolution: {integrity: sha512-hy0GksUlb/TfQ38m3ysIWj3qD+rIsyCdxx8Ug5rIx1u0odv86NZ7nTqtH066Ct2riVaPBgBkObFnlpDWTJ6auA==} + '@polkadot/rpc-core@14.0.1': + resolution: {integrity: sha512-SfgC6WU7RxaFFgm/GUpsqTywyaDeb7+r5GU3GlwC+QR148h3a7UcQ3sssOpB0MiZ2gIXngJuyIcIQm/3GfHnJw==} engines: {node: '>=18'} '@polkadot/rpc-core@7.15.1': @@ -1416,8 +1319,8 @@ packages: resolution: {integrity: sha512-rl7jizh0b9FI2Z81vbpm+ui6cND3zxMMC8SSxkIzemC0t1L6O/I+zaPYwNpqVpa7wIeZbSfe69SrvtjeZBcn2g==} engines: {node: '>=18'} - '@polkadot/rpc-provider@13.2.1': - resolution: {integrity: sha512-bbMVYHTNFUa89aY3UQ1hFYD+dP+v+0vhjsnHYYlv37rSUTqOGqW91rkHd63xYCpLAimFt7KRw8xR+SMSYiuDjw==} + '@polkadot/rpc-provider@14.0.1': + resolution: {integrity: sha512-mNfaKZUHPXGSY7TwgOfV05RN3Men21Dw7YXrSZDFkJYsZ55yOAYdmLg9anPZGHW100YnNWrXj+3uhQOw8JgqkA==} engines: {node: '>=18'} '@polkadot/rpc-provider@7.15.1': @@ -1448,8 +1351,8 @@ packages: resolution: {integrity: sha512-MKS8OAiKHgeeLwyjPukHRwlUlrTkdPTVdsFs6H3yWUr0G2I2nIgHuOTK/8OYVBMplNnLgPsNtpEpY+VduAEefQ==} engines: {node: '>=18'} - '@polkadot/types-augment@13.2.1': - resolution: {integrity: sha512-FpV7/2kIJmmswRmwUbp41lixdNX15olueUjHnSweFk0xEn2Ur43oC0Y3eU3Ab7Y5gPJpceMCfwYz+PjCUGedDA==} + '@polkadot/types-augment@14.0.1': + resolution: {integrity: sha512-PGo81444J5tGJxP3tu060Jx1kkeuo8SmBIt9S/w626Se49x4RLM5a7Pa5fguYVsg4TsJa9cgVPMuu6Y0F/2aCQ==} engines: {node: '>=18'} '@polkadot/types-augment@7.15.1': @@ -1480,8 +1383,8 @@ packages: resolution: {integrity: sha512-E+8Ny8wr/BEGqchoLejP8Z6qmQQaJmBui1rlwWgKCypI4gnDvhNa+hHheIgrUfSzNwUgsxC/04G9fIRnCaxDpw==} engines: {node: '>=18'} - '@polkadot/types-codec@13.2.1': - resolution: {integrity: sha512-tFAzzS8sMYItoD5a91sFMD+rskWyv4WjSmUZaj0Y4OfLtDAiQvgO0KncdGJIB6D+zZ/T7khpgsv/CZbN3YnezA==} + '@polkadot/types-codec@14.0.1': + resolution: {integrity: sha512-IyUlkrRZ6uppbHVlMJL+btKP7dfgW65K06ggQxH7Y/IyRAQVDNjXecAZrCUMB/gtjUXNPyTHEIfPGDlg8E6rig==} engines: {node: '>=18'} '@polkadot/types-codec@7.15.1': @@ -1512,8 +1415,8 @@ packages: resolution: {integrity: sha512-ge5ZmZOQoCqSOB1JtcZZFq2ysh4rnS9xrwC5BVbtk9GZaop5hRmLLmCXqDn49zEsgynRWHgOiKMP8T9AvOigMg==} engines: {node: '>=18'} - '@polkadot/types-create@13.2.1': - resolution: {integrity: sha512-O/WKdsrNuMaZLf+XRCdum2xJYs5OKC6N3EMPF5Uhg10b80Y/hQCbzA/iWd3/aMNDLUA5XWhixwzJdrZWIMVIzg==} + '@polkadot/types-create@14.0.1': + resolution: {integrity: sha512-R9/ac3CHKrFhvPKVUdpjnCDFSaGjfrNwtuY+AzvExAMIq7pM9dxo2N8UfnLbyFaG/n1hfYPXDIS3hLHvOZsLbw==} engines: {node: '>=18'} '@polkadot/types-create@7.15.1': @@ -1544,8 +1447,8 @@ packages: resolution: {integrity: sha512-ZWtQSrDoO290RJu7mZDo1unKcfz1O3ylQkKH7g3oh6Mzmq9I4q7jeS1kS22rJml45berAPIVqZ3zFfODTl6ngA==} engines: {node: '>=18'} - '@polkadot/types-known@13.2.1': - resolution: {integrity: sha512-uz3c4/IvspLpgN8q15A+QH8KWFauzcrV3RfLFlMP2BkkF5qpOwNeP7c4U8j0CZGQySqBsJRCGWmgBXrXg669KA==} + '@polkadot/types-known@14.0.1': + resolution: {integrity: sha512-oGypUOQNxZ6bq10czpVadZYeDM2NBB2kX3VFHLKLEpjaRbnVYtKXL6pl8B0uHR8GK/2Z8AmPOj6kuRjaC86qXg==} engines: {node: '>=18'} '@polkadot/types-known@4.17.1': @@ -1584,8 +1487,8 @@ packages: resolution: {integrity: sha512-UeGnjvyZSegFgzZ6HlR4H7+1itJBAEkGm9NKwEvZTTZJ0dG4zdxbHLNPURJ9UhDYCZ7bOGqkcB49o+hWY25dDA==} engines: {node: '>=18'} - '@polkadot/types-support@13.2.1': - resolution: {integrity: sha512-jSbbUTXU+yZJQPRAWmxaDoe4NRO6SjpZPzBIbpuiadx1slON8XB80fVYIGBXuM2xRVrNrB6fCjyCTG7Razj6Hg==} + '@polkadot/types-support@14.0.1': + resolution: {integrity: sha512-lcZEyOf5e3WLLtrFlLTvFfUpO0Vx/Gh5lhLLjdx1W9Xs0KJUlOxSAKxvjVieJJj6HifL0Jh6tDYOUeEc4TOrvA==} engines: {node: '>=18'} '@polkadot/types-support@7.15.1': @@ -1616,8 +1519,8 @@ packages: resolution: {integrity: sha512-01uOx24Fjvhjt1CvKOL+oy1eExAsF4EVuwgZhwAL+WkD0zqlOlAhqlXn5Wg7sY80yzwmgDTLd8Oej/pHFOdCBQ==} engines: {node: '>=18'} - '@polkadot/types@13.2.1': - resolution: {integrity: sha512-5yQ0mHMNvwgXeHQ1RZOuHaeak3utAdcBqCpHoagnYrAnGHqtO7kg7YLtT4LkFw2nwL85axu8tOQMv6/3kpFy9w==} + '@polkadot/types@14.0.1': + resolution: {integrity: sha512-DOMzHsyVbCa12FT2Fng8iGiQJhHW2ONpv5oieU+Z2o0gFQqwNmIDXWncScG5mAUBNcDMXLuvWIKLKtUDOq8msg==} engines: {node: '>=18'} '@polkadot/types@4.17.1': @@ -2139,9 +2042,6 @@ packages: '@substrate/smoldot-light@0.7.9': resolution: {integrity: sha512-HP8iP7sFYlpSgjjbo0lqHyU+gu9lL2hbDNce6dWk5/10mFFF9jKIFGfui4zCecUY808o/Go9pan/31kMJoLbug==} - '@substrate/ss58-registry@1.44.0': - resolution: {integrity: sha512-7lQ/7mMCzVNSEfDS4BCqnRnKCFKpcOaPrxMeGTXHX1YQzM/m2BBHjbK2C3dJvjv7GYxMiaTq/HdWQj1xS6ss+A==} - '@substrate/ss58-registry@1.50.0': resolution: {integrity: sha512-mkmlMlcC+MSd9rA+PN8ljGAm5fVZskvVwkXIsbx4NFwaT8kt38r7e9cyDWscG3z2Zn40POviZvEMrJSk+r2SgQ==} @@ -2486,11 +2386,6 @@ packages: resolution: {integrity: sha512-cjkyv4OtNCIeqhHrfS81QWXoCBPExR/J62oyEqepVw8WaQeSqpW2uhuLPh1m9eWhDuOo/jUXVTlifvesOWp/4A==} engines: {node: '>=0.4.0'} - acorn@8.11.3: - resolution: {integrity: sha512-Y9rRfJG5jcKOE0CLisYbojUjIrIEE7AGMzA/Sm4BslANhbS+cDMpgBdcPT91oJ7OuJ9hYJBx59RjbhxVnrF8Xg==} - engines: {node: '>=0.4.0'} - hasBin: true - acorn@8.12.1: resolution: {integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==} engines: {node: '>=0.4.0'} @@ -2522,10 +2417,6 @@ packages: ajv@6.12.6: resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==} - ansi-colors@4.1.1: - resolution: {integrity: sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==} - engines: {node: '>=6'} - ansi-colors@4.1.3: resolution: {integrity: sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==} engines: {node: '>=6'} @@ -2698,10 +2589,6 @@ packages: brace-expansion@2.0.1: resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==} - braces@3.0.2: - resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==} - engines: {node: '>=8'} - braces@3.0.3: resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==} engines: {node: '>=8'} @@ -2824,10 +2711,6 @@ packages: resolution: {integrity: sha512-OAlb+T7V4Op9OwdkjmguYRqncdlx5JiofwOAUkmTF+jNdHwzTaTs4sRAGpzLF3oOz5xAyDGrPgeIDFQmDOTiJw==} engines: {node: '>= 16'} - chokidar@3.5.3: - resolution: {integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==} - engines: {node: '>= 8.10.0'} - chokidar@3.6.0: resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==} engines: {node: '>= 8.10.0'} @@ -3059,15 +2942,6 @@ packages: supports-color: optional: true - debug@4.3.4: - resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==} - engines: {node: '>=6.0'} - peerDependencies: - supports-color: '*' - peerDependenciesMeta: - supports-color: - optional: true - debug@4.3.5: resolution: {integrity: sha512-pt0bNEmneDIvdL1Xsd9oDQ/wrQRkXDT4AUWlNZNPKvW5x/jyO9VFXkJUP07vQ2upmw5PlaITaPKc31jK13V+jg==} engines: {node: '>=6.0'} @@ -3180,10 +3054,6 @@ packages: resolution: {integrity: sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==} engines: {node: '>=0.3.1'} - diff@5.0.0: - resolution: {integrity: sha512-/VTCrvm5Z0JGty/BWHljh+BAiw3IK+2j87NGMu8Nwc/f48WoDAC395uomO9ZD117ZOBaHmkX1oyLvkVM/aIT3w==} - engines: {node: '>=0.3.1'} - diff@5.2.0: resolution: {integrity: sha512-uIFDxqpRZGZ6ThOk84hEfqWoHx2devRFvpTZcTHur85vImfaxUbTW9Ryh4CpCuDnToOP1CEtXKIgytHBPVff5A==} engines: {node: '>=0.3.1'} @@ -3528,10 +3398,6 @@ packages: file-uri-to-path@1.0.0: resolution: {integrity: sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw==} - fill-range@7.0.1: - resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==} - engines: {node: '>=8'} - fill-range@7.1.1: resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==} engines: {node: '>=8'} @@ -3687,9 +3553,6 @@ packages: engines: {node: '>=16 || 14 >=14.18'} hasBin: true - glob@7.2.0: - resolution: {integrity: sha512-lmLf6gtyrPq8tTjSmrO94wBeQbFR3HbLHbuyD69wuyQkImp2hWqMGB47OX65FBkPffO641IP9jWa1z4ivqG26Q==} - glob@7.2.3: resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==} deprecated: Glob versions prior to v9 are no longer supported @@ -4189,7 +4052,6 @@ packages: resolution: {integrity: sha512-Quz3MvAwHxVYNXsOByL7xI5EB2WYOeFswqaHIA3qOK3isRWTxiplBEocmmru6XmxDB2L7jDNYtYA4FyimoAFEw==} engines: {node: '>=8.17.0'} hasBin: true - bundledDependencies: [] jsonfile@4.0.0: resolution: {integrity: sha512-m6F1R3z8jjlf2imQHS2Qez5sjKWQzbuuhuJ/FKYFRZvPE3PuHcSMVZzfsLhGVOkfd20obL5SWEBew5ShlquNxg==} @@ -4323,9 +4185,6 @@ packages: ltgt@2.2.1: resolution: {integrity: sha512-AI2r85+4MquTw9ZYqabu4nMwy9Oftlfa/e/52t9IjtfG+mGBbTNdAoZ3RQKLHR6r0wQnwZnPIEh/Ya6XTWAKNA==} - magic-string@0.30.10: - resolution: {integrity: sha512-iIRwTIf0QKV3UAnYK4PU8uiEc4SRh5jX0mwpIwETPpHdhVM4f53RSwS/vXvN1JhGX+Cs7B8qIq3d6AH49O5fAQ==} - magic-string@0.30.11: resolution: {integrity: sha512-+Wri9p0QHMy+545hKww7YAu5NyzF8iomPL/RQazugQ9+Ez4Ic3mERMd8ZTX5rfK944j+560ZJi8iAwgak1Ac7A==} @@ -4427,10 +4286,6 @@ packages: minimatch@3.1.2: resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==} - minimatch@5.0.1: - resolution: {integrity: sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g==} - engines: {node: '>=10'} - minimatch@5.1.6: resolution: {integrity: sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g==} engines: {node: '>=10'} @@ -4515,11 +4370,6 @@ packages: engines: {node: '>=10'} hasBin: true - mocha@10.2.0: - resolution: {integrity: sha512-IDY7fl/BecMwFHzoqF2sg/SHHANeBoMMXFlS9r0OXKDssYE1M5O43wUY/9BVPeIvfH2zmEbBfseqN9gBQZzXkg==} - engines: {node: '>= 14.0.0'} - hasBin: true - mocha@10.6.0: resolution: {integrity: sha512-hxjt4+EEB0SA0ZDygSS015t65lJw/I2yRCS3Ae+SJ5FrbzrXgfYwJr96f0OvIXdj7h4lv/vLCrH3rkiuizFSvw==} engines: {node: '>= 14.0.0'} @@ -4580,11 +4430,6 @@ packages: nano-json-stream-parser@0.1.2: resolution: {integrity: sha512-9MqxMH/BSJC7dnLsEMPyfN5Dvoo49IsPFYMcHw3Bcfc2kN0lpHRBSzlMSVx4HGyJ7s9B31CyBTVehWJoQ8Ctew==} - nanoid@3.3.3: - resolution: {integrity: sha512-p1sjXuopFs0xg+fPASzQ28agW1oHD7xDsd9Xkf3T15H3c/cifrFHVwrh74PdoklAPi+i7MdRsE47vm2r6JoB+w==} - engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} - hasBin: true - nanoid@3.3.7: resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==} engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} @@ -5232,9 +5077,6 @@ packages: resolution: {integrity: sha512-8I8TjW5KMOKsZQTvoxjuSIa7foAwPWGOts+6o7sgjz41/qMD9VQHEDxi6PBvK2l0MXUmqZyNpUK+T2tQaaElvw==} engines: {node: '>=10'} - serialize-javascript@6.0.0: - resolution: {integrity: sha512-Qr3TosvguFt8ePWqsvRfrKyQXIiW+nGbYpy8XK24NQHE83caxWt+mIymTT19DGFbNWNLfEwsrkSmN64lVWB9ag==} - serialize-javascript@6.0.2: resolution: {integrity: sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==} @@ -5922,18 +5764,10 @@ packages: resolution: {integrity: sha512-B6elffYm81MYZDTrat7aEhnhdtVE3lDBUZft16Z8awYMZYJDbnykEbJVS+l3mnA7AQTnSDr/1MjWofGDLBJPww==} engines: {node: '>=8.0.0'} - web3-core@4.5.0: - resolution: {integrity: sha512-Q8LIAqmF7vkRydBPiU+OC7wI44nEU6JEExolFaOakqrjMtQ1CWFHRUQMNJRDsk5bRirjyShuAsuqLeYByvvXhg==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-core@4.6.0: resolution: {integrity: sha512-j8uQ/7zSwpmLClMMeZb736Ok3V4cWSd0dnd29jkd10d1pedi32r+hSAgycxSJLLWtPHOzMBIXUjj3TF/IAClVQ==} engines: {node: '>=14', npm: '>=6.12.0'} - web3-errors@1.2.0: - resolution: {integrity: sha512-58Kczou5zyjcm9LuSs5Hrm6VrG8t9p2J8X0yGArZrhKNPZL66gMGkOUpPx+EopE944Sk4yE+Q25hKv4H5BH+kA==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-errors@1.3.0: resolution: {integrity: sha512-j5JkAKCtuVMbY3F5PYXBqg1vWrtF4jcyyMY1rlw8a4PV67AkqlepjGgpzWJZd56Mt+TvHy6DA1F/3Id8LatDSQ==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -5942,10 +5776,6 @@ packages: resolution: {integrity: sha512-cZ0q65eJIkd/jyOlQPDjr8X4fU6CRL1eWgdLwbWEpo++MPU/2P4PFk5ZLAdye9T5Sdp+MomePPJ/gHjLMj2VfQ==} engines: {node: '>=8.0.0'} - web3-eth-abi@4.2.2: - resolution: {integrity: sha512-akbGi642UtKG3k3JuLbhl9KuG7LM/cXo/by2WfdwfOptGZrzRsWJNWje1d2xfw1n9kkVG9SAMvPJl1uSyR3dfw==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-eth-abi@4.2.4: resolution: {integrity: sha512-FGoj/ENm/Iq3+6myJyiDCwbFkha9ZCx2fRdiIdw3mp7S4lgu+ay3EVzQPRxJjNBm09UEfxB9yoSAPKj9Z3Mbxg==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -5954,10 +5784,6 @@ packages: resolution: {integrity: sha512-ysy5sVTg9snYS7tJjxVoQAH6DTOTkRGR8emEVCWNGLGiB9txj+qDvSeT0izjurS/g7D5xlMAgrEHLK1Vi6I3yg==} engines: {node: '>=8.0.0'} - web3-eth-accounts@4.1.2: - resolution: {integrity: sha512-y0JynDeTDnclyuE9mShXLeEj+BCrPHxPHOyPCgTchUBQsALF9+0OhP7WiS3IqUuu0Hle5bjG2f5ddeiPtNEuLg==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-eth-accounts@4.2.1: resolution: {integrity: sha512-aOlEZFzqAgKprKs7+DGArU4r9b+ILBjThpeq42aY7LAQcP+mSpsWcQgbIRK3r/n3OwTYZ3aLPk0Ih70O/LwnYA==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -5966,10 +5792,6 @@ packages: resolution: {integrity: sha512-Q8PfolOJ4eV9TvnTj1TGdZ4RarpSLmHnUnzVxZ/6/NiTfe4maJz99R0ISgwZkntLhLRtw0C7LRJuklzGYCNN3A==} engines: {node: '>=8.0.0'} - web3-eth-contract@4.5.0: - resolution: {integrity: sha512-AX6OiDrIryz/T28k9Xz0gXpUrlOUjcooEgGluu2s5dFDWCPM/zlN5RsUZlXZiXpQyj52VCUy5+bkvu3yDPA4fg==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-eth-contract@4.7.0: resolution: {integrity: sha512-fdStoBOjFyMHwlyJmSUt/BTDL1ATwKGmG3zDXQ/zTKlkkW/F/074ut0Vry4GuwSBg9acMHc0ycOiZx9ZKjNHsw==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -5994,10 +5816,6 @@ packages: resolution: {integrity: sha512-BRa/hs6jU1hKHz+AC/YkM71RP3f0Yci1dPk4paOic53R4ZZG4MgwKRkJhgt3/GPuPliwS46f/i5A7fEGBT4F9w==} engines: {node: '>=8.0.0'} - web3-eth-personal@4.0.8: - resolution: {integrity: sha512-sXeyLKJ7ddQdMxz1BZkAwImjqh7OmKxhXoBNF3isDmD4QDpMIwv/t237S3q4Z0sZQamPa/pHebJRWVuvP8jZdw==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-eth-personal@4.1.0: resolution: {integrity: sha512-RFN83uMuvA5cu1zIwwJh9A/bAj0OBxmGN3tgx19OD/9ygeUZbifOL06jgFzN0t+1ekHqm3DXYQM8UfHpXi7yDQ==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6006,10 +5824,6 @@ packages: resolution: {integrity: sha512-Sql2kYKmgt+T/cgvg7b9ce24uLS7xbFrxE4kuuor1zSCGrjhTJ5rRNG8gTJUkAJGKJc7KgnWmgW+cOfMBPUDSA==} engines: {node: '>=8.0.0'} - web3-eth@4.8.0: - resolution: {integrity: sha512-fobkdpwN9SH785/0LSLfxOMH4rZNAD/EvTKIHdpl4ZVz5XdKehX+xPMpSGDGwMlAQ7yXByjZDX3opzoqEQLWxg==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-eth@4.9.0: resolution: {integrity: sha512-lE+5rQUkQq1Mzf3uZ/tlay8nvMyC/CmaRFRFQ015OZuvSrRr/byZhhkzY5ZWkIetESTMqfWapu67yeHebcHxwA==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6026,10 +5840,6 @@ packages: resolution: {integrity: sha512-m2P5Idc8hdiO0l60O6DSCPw0kw64Zgi0pMjbEFRmxKIck2Py57RQMu4bxvkxJwkF06SlGaEQF8rFZBmuX7aagQ==} engines: {node: '>=8.0.0'} - web3-providers-http@4.1.0: - resolution: {integrity: sha512-6qRUGAhJfVQM41E5t+re5IHYmb5hSaLc02BE2MaRQsz2xKA6RjmHpOA5h/+ojJxEpI9NI2CrfDKOAgtJfoUJQg==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-providers-http@4.2.0: resolution: {integrity: sha512-IPMnDtHB7dVwaB7/mMxAZzyq7d5ezfO1+Vw0bNfAeIi7gaDlJiggp85SdyAfOgov8AMUA/dyiY72kQ0KmjXKvQ==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6046,10 +5856,6 @@ packages: resolution: {integrity: sha512-j3FBMifyuFFmUIPVQR4pj+t5ILhAexAui0opgcpu9R5LxQrLRUZxHSnU+YO25UycSOa/NAX8A+qkqZNpcFAlxA==} engines: {node: '>=8.0.0'} - web3-providers-ws@4.0.7: - resolution: {integrity: sha512-n4Dal9/rQWjS7d6LjyEPM2R458V8blRm0eLJupDEJOOIBhGYlxw5/4FthZZ/cqB7y/sLVi7K09DdYx2MeRtU5w==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-providers-ws@4.0.8: resolution: {integrity: sha512-goJdgata7v4pyzHRsg9fSegUG4gVnHZSHODhNnn6J93ykHkBI1nz4fjlGpcQLUMi4jAMz6SHl9Ibzs2jj9xqPw==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6058,10 +5864,6 @@ packages: resolution: {integrity: sha512-/CHmzGN+IYgdBOme7PdqzF+FNeMleefzqs0LVOduncSaqsppeOEoskLXb2anSpzmQAP3xZJPaTrkQPWSJMORig==} engines: {node: '>=14', npm: '>=6.12.0'} - web3-rpc-providers@1.0.0-rc.0: - resolution: {integrity: sha512-lmBOZ4PE+wf5JyptPZJ+GHeGPyTBfnCRbrfOxWLU+Q7g+D6NukgS3fk2xcunEvUsR/b5fp+uXk0TkmhX9/GCKg==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-rpc-providers@1.0.0-rc.2: resolution: {integrity: sha512-ocFIEXcBx/DYQ90HhVepTBUVnL9pGsZw8wyPb1ZINSenwYus9SvcFkjU1Hfvd/fXjuhAv2bUVch9vxvMx1mXAQ==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6070,10 +5872,6 @@ packages: resolution: {integrity: sha512-cOH6iFFM71lCNwSQrC3niqDXagMqrdfFW85hC9PFUrAr3PUrIem8TNstTc3xna2bwZeWG6OBy99xSIhBvyIACw==} engines: {node: '>=8.0.0'} - web3-types@1.7.0: - resolution: {integrity: sha512-nhXxDJ7a5FesRw9UG5SZdP/C/3Q2EzHGnB39hkAV+YGXDMgwxBXFWebQLfEzZzuArfHnvC0sQqkIHNwSKcVjdA==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-types@1.8.0: resolution: {integrity: sha512-Z51wFLPGhZM/1uDxrxE8gzju3t2aEdRGn+YmLX463id5UjTuMEmP/9in1GFjqrsPB3m86czs8RnGBUt3ovueMw==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6082,10 +5880,6 @@ packages: resolution: {integrity: sha512-tsu8FiKJLk2PzhDl9fXbGUWTkkVXYhtTA+SmEFkKft+9BgwLxfCRpU96sWv7ICC8zixBNd3JURVoiR3dUXgP8A==} engines: {node: '>=8.0.0'} - web3-utils@4.3.0: - resolution: {integrity: sha512-fGG2IZr0XB1vEoWZiyJzoy28HpsIfZgz4mgPeQA9aj5rIx8z0o80qUPtIyrCYX/Bo2gYALlV5SWIJWxJNUQn9Q==} - engines: {node: '>=14', npm: '>=6.12.0'} - web3-utils@4.3.1: resolution: {integrity: sha512-kGwOk8FxOLJ9DQC68yqNQc7AzN+k9YDLaW+ZjlAXs3qORhf8zXk5SxWAAGLbLykMs3vTeB0FTb1Exut4JEYfFA==} engines: {node: '>=14', npm: '>=6.12.0'} @@ -6168,9 +5962,6 @@ packages: resolution: {integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==} engines: {node: '>=0.10.0'} - workerpool@6.2.1: - resolution: {integrity: sha512-ILEIE97kDZvF9Wb9f6h5aXK4swSlKGUcOEGiIYb2OOu/IrDU9iwj0fD//SsA6E5ibwJxpEvhullJY4Sl4GcpAw==} - workerpool@6.5.1: resolution: {integrity: sha512-Fs4dNYcsdpYSAfVxhnl1L5zTksjvOJxtC5hzMNl+1t9B8hTJTdKDyZ5ju7ztgPy+ft9tBFXoOlDNiOT9WUXZlA==} @@ -6271,10 +6062,6 @@ packages: engines: {node: '>= 14'} hasBin: true - yargs-parser@20.2.4: - resolution: {integrity: sha512-WOkpgNhPTlE73h4VFAFsOnomJVaovO8VqLDzy5saChRBFQFBoMYirowyW+Q9HB4HFF4Z7VZTiG3iSzJJA29yRA==} - engines: {node: '>=10'} - yargs-parser@20.2.9: resolution: {integrity: sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==} engines: {node: '>=10'} @@ -6312,9 +6099,9 @@ packages: snapshots: - '@acala-network/chopsticks-core@0.15.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@acala-network/chopsticks-core@0.16.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@acala-network/chopsticks-executor': 0.15.0 + '@acala-network/chopsticks-executor': 0.16.1 '@polkadot/rpc-provider': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/types': 12.4.2 '@polkadot/types-codec': 12.4.2 @@ -6334,9 +6121,9 @@ snapshots: - supports-color - utf-8-validate - '@acala-network/chopsticks-db@0.15.0(bufferutil@4.0.8)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10)': + '@acala-network/chopsticks-db@0.16.1(bufferutil@4.0.8)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10)': dependencies: - '@acala-network/chopsticks-core': 0.15.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@acala-network/chopsticks-core': 0.16.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/util': 13.1.1 idb: 8.0.0 sqlite3: 5.1.7 @@ -6363,15 +6150,15 @@ snapshots: - typeorm-aurora-data-api-driver - utf-8-validate - '@acala-network/chopsticks-executor@0.15.0': + '@acala-network/chopsticks-executor@0.16.1': dependencies: '@polkadot/util': 13.1.1 '@polkadot/wasm-util': 7.3.2(@polkadot/util@13.1.1) - '@acala-network/chopsticks@0.15.0(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10)': + '@acala-network/chopsticks@0.16.1(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10)': dependencies: - '@acala-network/chopsticks-core': 0.15.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@acala-network/chopsticks-db': 0.15.0(bufferutil@4.0.8)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) + '@acala-network/chopsticks-core': 0.16.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@acala-network/chopsticks-db': 0.16.1(bufferutil@4.0.8)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) '@pnpm/npm-conf': 2.2.2 '@polkadot/api': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/api-augment': 12.4.2(bufferutil@4.0.8)(utf-8-validate@5.0.10) @@ -6839,14 +6626,12 @@ snapshots: '@jridgewell/resolve-uri@3.1.1': {} - '@jridgewell/sourcemap-codec@1.4.15': {} - '@jridgewell/sourcemap-codec@1.5.0': {} '@jridgewell/trace-mapping@0.3.9': dependencies: '@jridgewell/resolve-uri': 3.1.1 - '@jridgewell/sourcemap-codec': 1.4.15 + '@jridgewell/sourcemap-codec': 1.5.0 '@kiltprotocol/type-definitions@0.35.1': {} @@ -6875,25 +6660,14 @@ snapshots: dependencies: lodash.merge: 4.6.2 - /@moonbeam-network/api-augment@0.2902.0: - resolution: {integrity: sha512-lCNc1lUq7kHnTPXvT4W8F2nkxr4UjAEs5LdxXHfrATOt+ZfGfX97/4sZfSRXlVqATrOUw7+sqKM8SL0ci0nx0g==} - engines: {node: '>=14.0.0'} - dev: false + '@moonbeam-network/api-augment@0.2902.0': {} - /@moonwall/cli@5.3.3(@acala-network/chopsticks@0.16.1)(@polkadot/api@13.0.1)(@types/node@22.7.0)(@vitest/ui@2.1.1)(typescript@5.6.2)(vitest@2.1.1): - resolution: {integrity: sha512-iFJ9DnefUrwHS/FCeMrVIlBxbd8P9j3dqBwGeJ/yfNtqaurx3g8Sx3jpSueWjkZ3vozlkGYJFYgtnlXGVzvGNw==} - engines: {node: '>=20', pnpm: '>=7'} - hasBin: true - peerDependencies: - '@acala-network/chopsticks': ^0.9.10 - '@polkadot/api': ^10.11.2 - '@vitest/ui': ^1.2.2 - vitest: ^1.2.2 + '@moonwall/cli@5.3.3(@acala-network/chopsticks@0.16.1(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10))(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(@types/node@22.7.0)(@vitest/ui@2.1.1)(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1)(zod@3.23.8)': dependencies: - '@acala-network/chopsticks': 0.16.1(debug@4.3.7) + '@acala-network/chopsticks': 0.16.1(bufferutil@4.0.8)(debug@4.3.7)(ts-node@10.9.2(@types/node@22.7.0)(typescript@5.6.2))(utf-8-validate@5.0.10) '@moonbeam-network/api-augment': 0.2902.0 '@moonwall/types': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) - '@moonwall/util': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8) + '@moonwall/util': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1)(zod@3.23.8) '@octokit/rest': 21.0.0 '@polkadot/api': 13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/api-derive': 12.1.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) @@ -6924,7 +6698,7 @@ snapshots: vitest: 2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) vue: 3.4.31(typescript@5.6.2) web3: 4.10.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) - web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-providers-ws: 4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) yaml: 2.4.5 yargs: 17.7.2 @@ -6967,7 +6741,7 @@ snapshots: - utf-8-validate - zod - '@moonwall/util@5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1(@types/node@22.7.0)(@vitest/ui@2.1.1)(jsdom@23.2.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)))(zod@3.23.8)': + '@moonwall/util@5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(vitest@2.1.1)(zod@3.23.8)': dependencies: '@moonbeam-network/api-augment': 0.2902.0 '@moonwall/types': 5.3.3(@polkadot/api@13.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10))(bufferutil@4.0.8)(chokidar@3.6.0)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) @@ -7349,9 +7123,9 @@ snapshots: '@polkadot-api/substrate-bindings@0.0.1': dependencies: - '@noble/hashes': 1.4.0 + '@noble/hashes': 1.5.0 '@polkadot-api/utils': 0.0.1 - '@scure/base': 1.1.7 + '@scure/base': 1.1.9 scale-ts: 1.6.0 optional: true @@ -7471,13 +7245,13 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-augment@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/api-augment@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-base': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/rpc-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/types': 13.2.1 - '@polkadot/types-augment': 13.2.1 - '@polkadot/types-codec': 13.2.1 + '@polkadot/api-base': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-augment': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': 14.0.1 + '@polkadot/types-augment': 14.0.1 + '@polkadot/types-codec': 14.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 transitivePeerDependencies: @@ -7572,10 +7346,10 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-base@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/api-base@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/types': 13.2.1 + '@polkadot/rpc-core': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': 14.0.1 '@polkadot/util': 13.1.1 rxjs: 7.8.1 tslib: 2.7.0 @@ -7692,14 +7466,14 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api-derive@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/api-derive@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/api-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/api-base': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/types': 13.2.1 - '@polkadot/types-codec': 13.2.1 + '@polkadot/api': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': 14.0.1 + '@polkadot/types-codec': 14.0.1 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) rxjs: 7.8.1 @@ -7862,20 +7636,20 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/api@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/api@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/api-base': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/api-derive': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-augment': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-base': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api-derive': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) - '@polkadot/rpc-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/rpc-provider': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/types': 13.2.1 - '@polkadot/types-augment': 13.2.1 - '@polkadot/types-codec': 13.2.1 - '@polkadot/types-create': 13.2.1 - '@polkadot/types-known': 13.2.1 + '@polkadot/rpc-augment': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-core': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': 14.0.1 + '@polkadot/types-augment': 14.0.1 + '@polkadot/types-codec': 14.0.1 + '@polkadot/types-create': 14.0.1 + '@polkadot/types-known': 14.0.1 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) eventemitter3: 5.0.1 @@ -8056,7 +7830,7 @@ snapshots: '@polkadot/networks@12.6.2': dependencies: '@polkadot/util': 12.6.2 - '@substrate/ss58-registry': 1.44.0 + '@substrate/ss58-registry': 1.50.0 tslib: 2.7.0 '@polkadot/networks@13.1.1': @@ -8153,11 +7927,11 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-augment@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/rpc-augment@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-core': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/types': 13.2.1 - '@polkadot/types-codec': 13.2.1 + '@polkadot/rpc-core': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': 14.0.1 + '@polkadot/types-codec': 14.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 transitivePeerDependencies: @@ -8253,11 +8027,11 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-core@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/rpc-core@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/rpc-augment': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/rpc-provider': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) - '@polkadot/types': 13.2.1 + '@polkadot/rpc-augment': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/rpc-provider': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/types': 14.0.1 '@polkadot/util': 13.1.1 rxjs: 7.8.1 tslib: 2.7.0 @@ -8396,11 +8170,11 @@ snapshots: - supports-color - utf-8-validate - '@polkadot/rpc-provider@13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': + '@polkadot/rpc-provider@14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) - '@polkadot/types': 13.2.1 - '@polkadot/types-support': 13.2.1 + '@polkadot/types': 14.0.1 + '@polkadot/types-support': 14.0.1 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) '@polkadot/x-fetch': 13.1.1 @@ -8492,10 +8266,10 @@ snapshots: '@polkadot/util': 13.1.1 tslib: 2.7.0 - '@polkadot/types-augment@13.2.1': + '@polkadot/types-augment@14.0.1': dependencies: - '@polkadot/types': 13.2.1 - '@polkadot/types-codec': 13.2.1 + '@polkadot/types': 14.0.1 + '@polkadot/types-codec': 14.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 @@ -8543,7 +8317,7 @@ snapshots: '@polkadot/x-bigint': 13.1.1 tslib: 2.7.0 - '@polkadot/types-codec@13.2.1': + '@polkadot/types-codec@14.0.1': dependencies: '@polkadot/util': 13.1.1 '@polkadot/x-bigint': 13.1.1 @@ -8590,9 +8364,9 @@ snapshots: '@polkadot/util': 13.1.1 tslib: 2.7.0 - '@polkadot/types-create@13.2.1': + '@polkadot/types-create@14.0.1': dependencies: - '@polkadot/types-codec': 13.2.1 + '@polkadot/types-codec': 14.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 @@ -8653,12 +8427,12 @@ snapshots: '@polkadot/util': 13.1.1 tslib: 2.7.0 - '@polkadot/types-known@13.2.1': + '@polkadot/types-known@14.0.1': dependencies: '@polkadot/networks': 13.1.1 - '@polkadot/types': 13.2.1 - '@polkadot/types-codec': 13.2.1 - '@polkadot/types-create': 13.2.1 + '@polkadot/types': 14.0.1 + '@polkadot/types-codec': 14.0.1 + '@polkadot/types-create': 14.0.1 '@polkadot/util': 13.1.1 tslib: 2.7.0 @@ -8719,7 +8493,7 @@ snapshots: '@polkadot/util': 13.1.1 tslib: 2.7.0 - '@polkadot/types-support@13.2.1': + '@polkadot/types-support@14.0.1': dependencies: '@polkadot/util': 13.1.1 tslib: 2.7.0 @@ -8789,12 +8563,12 @@ snapshots: rxjs: 7.8.1 tslib: 2.7.0 - '@polkadot/types@13.2.1': + '@polkadot/types@14.0.1': dependencies: '@polkadot/keyring': 13.1.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1) - '@polkadot/types-augment': 13.2.1 - '@polkadot/types-codec': 13.2.1 - '@polkadot/types-create': 13.2.1 + '@polkadot/types-augment': 14.0.1 + '@polkadot/types-codec': 14.0.1 + '@polkadot/types-create': 14.0.1 '@polkadot/util': 13.1.1 '@polkadot/util-crypto': 13.1.1(@polkadot/util@13.1.1) rxjs: 7.8.1 @@ -8870,14 +8644,14 @@ snapshots: '@polkadot/util-crypto@12.6.2(@polkadot/util@12.6.2)': dependencies: '@noble/curves': 1.4.2 - '@noble/hashes': 1.4.0 + '@noble/hashes': 1.5.0 '@polkadot/networks': 12.6.2 '@polkadot/util': 12.6.2 '@polkadot/wasm-crypto': 7.3.2(@polkadot/util@12.6.2)(@polkadot/x-randomvalues@12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1))) '@polkadot/wasm-util': 7.3.2(@polkadot/util@12.6.2) '@polkadot/x-bigint': 12.6.2 '@polkadot/x-randomvalues': 12.6.2(@polkadot/util@12.6.2)(@polkadot/wasm-util@7.3.2(@polkadot/util@13.1.1)) - '@scure/base': 1.1.7 + '@scure/base': 1.1.9 tslib: 2.7.0 '@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1)': @@ -9407,12 +9181,12 @@ snapshots: dependencies: '@noble/curves': 1.4.2 '@noble/hashes': 1.4.0 - '@scure/base': 1.1.7 + '@scure/base': 1.1.9 '@scure/bip39@1.3.0': dependencies: '@noble/hashes': 1.4.0 - '@scure/base': 1.1.7 + '@scure/base': 1.1.9 '@scure/bip39@1.4.0': dependencies: @@ -9440,7 +9214,7 @@ snapshots: '@subsocial/definitions@0.8.14(bufferutil@4.0.8)(utf-8-validate@5.0.10)': dependencies: - '@polkadot/api': 13.2.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) + '@polkadot/api': 14.0.1(bufferutil@4.0.8)(utf-8-validate@5.0.10) lodash.camelcase: 4.3.0 transitivePeerDependencies: - bufferutil @@ -9559,8 +9333,6 @@ snapshots: - utf-8-validate optional: true - '@substrate/ss58-registry@1.44.0': {} - '@substrate/ss58-registry@1.50.0': {} '@substrate/txwrapper-core@7.5.1(@polkadot/util-crypto@13.1.1(@polkadot/util@13.1.1))(@polkadot/util@13.1.1)(bufferutil@4.0.8)(utf-8-validate@5.0.10)': @@ -9880,7 +9652,7 @@ snapshots: '@vue/compiler-ssr': 3.4.31 '@vue/shared': 3.4.31 estree-walker: 2.0.2 - magic-string: 0.30.10 + magic-string: 0.30.11 postcss: 8.4.39 source-map-js: 1.2.0 @@ -9953,7 +9725,7 @@ snapshots: dependencies: cli-table3: 0.6.3 debug: 4.3.7(supports-color@8.1.1) - mocha: 10.2.0 + mocha: 10.6.0 nunjucks: 3.2.4(chokidar@3.6.0) toml: 3.0.0 ts-node: 10.9.2(@types/node@20.14.10)(typescript@5.6.2) @@ -9969,7 +9741,7 @@ snapshots: dependencies: cli-table3: 0.6.3 debug: 4.3.7(supports-color@8.1.1) - mocha: 10.2.0 + mocha: 10.6.0 nunjucks: 3.2.4(chokidar@3.6.0) toml: 3.0.0 ts-node: 10.9.2(@types/node@22.7.0)(typescript@5.6.2) @@ -10035,8 +9807,6 @@ snapshots: acorn-walk@8.3.2: {} - acorn@8.11.3: {} - acorn@8.12.1: {} aes-js@4.0.0-beta.5: {} @@ -10077,8 +9847,6 @@ snapshots: json-schema-traverse: 0.4.1 uri-js: 4.4.1 - ansi-colors@4.1.1: {} - ansi-colors@4.1.3: {} ansi-escapes@4.3.2: @@ -10257,10 +10025,6 @@ snapshots: dependencies: balanced-match: 1.0.2 - braces@3.0.2: - dependencies: - fill-range: 7.0.1 - braces@3.0.3: dependencies: fill-range: 7.1.1 @@ -10419,18 +10183,6 @@ snapshots: check-error@2.1.1: {} - chokidar@3.5.3: - dependencies: - anymatch: 3.1.3 - braces: 3.0.2 - glob-parent: 5.1.2 - is-binary-path: 2.1.0 - is-glob: 4.0.3 - normalize-path: 3.0.0 - readdirp: 3.6.0 - optionalDependencies: - fsevents: 2.3.3 - chokidar@3.6.0: dependencies: anymatch: 3.1.3 @@ -10668,12 +10420,6 @@ snapshots: dependencies: ms: 2.0.0 - debug@4.3.4(supports-color@8.1.1): - dependencies: - ms: 2.1.2 - optionalDependencies: - supports-color: 8.1.1 - debug@4.3.5: dependencies: ms: 2.1.2 @@ -10779,8 +10525,6 @@ snapshots: diff@4.0.2: {} - diff@5.0.0: {} - diff@5.2.0: {} dir-glob@3.0.1: @@ -11311,10 +11055,6 @@ snapshots: file-uri-to-path@1.0.0: {} - fill-range@7.0.1: - dependencies: - to-regex-range: 5.0.1 - fill-range@7.1.1: dependencies: to-regex-range: 5.0.1 @@ -11484,15 +11224,6 @@ snapshots: package-json-from-dist: 1.0.0 path-scurry: 1.11.1 - glob@7.2.0: - dependencies: - fs.realpath: 1.0.0 - inflight: 1.0.6 - inherits: 2.0.4 - minimatch: 3.1.2 - once: 1.4.0 - path-is-absolute: 1.0.1 - glob@7.2.3: dependencies: fs.realpath: 1.0.0 @@ -12177,10 +11908,6 @@ snapshots: ltgt@2.2.1: {} - magic-string@0.30.10: - dependencies: - '@jridgewell/sourcemap-codec': 1.4.15 - magic-string@0.30.11: dependencies: '@jridgewell/sourcemap-codec': 1.5.0 @@ -12308,10 +12035,6 @@ snapshots: dependencies: brace-expansion: 1.1.11 - minimatch@5.0.1: - dependencies: - brace-expansion: 2.0.1 - minimatch@5.1.6: dependencies: brace-expansion: 2.0.1 @@ -12393,30 +12116,6 @@ snapshots: mkdirp@3.0.1: {} - mocha@10.2.0: - dependencies: - ansi-colors: 4.1.1 - browser-stdout: 1.3.1 - chokidar: 3.5.3 - debug: 4.3.4(supports-color@8.1.1) - diff: 5.0.0 - escape-string-regexp: 4.0.0 - find-up: 5.0.0 - glob: 7.2.0 - he: 1.2.0 - js-yaml: 4.1.0 - log-symbols: 4.1.0 - minimatch: 5.0.1 - ms: 2.1.3 - nanoid: 3.3.3 - serialize-javascript: 6.0.0 - strip-json-comments: 3.1.1 - supports-color: 8.1.1 - workerpool: 6.2.1 - yargs: 16.2.0 - yargs-parser: 20.2.4 - yargs-unparser: 2.0.0 - mocha@10.6.0: dependencies: ansi-colors: 4.1.3 @@ -12498,8 +12197,6 @@ snapshots: nano-json-stream-parser@0.1.2: {} - nanoid@3.3.3: {} - nanoid@3.3.7: {} napi-build-utils@1.0.2: {} @@ -13209,10 +12906,6 @@ snapshots: dependencies: type-fest: 0.13.1 - serialize-javascript@6.0.0: - dependencies: - randombytes: 2.1.0 - serialize-javascript@6.0.2: dependencies: randombytes: 2.1.0 @@ -13627,7 +13320,7 @@ snapshots: '@tsconfig/node14': 1.0.3 '@tsconfig/node16': 1.0.4 '@types/node': 20.14.10 - acorn: 8.11.3 + acorn: 8.12.1 acorn-walk: 8.3.2 arg: 4.1.3 create-require: 1.1.1 @@ -13645,7 +13338,7 @@ snapshots: '@tsconfig/node14': 1.0.3 '@tsconfig/node16': 1.0.4 '@types/node': 22.7.0 - acorn: 8.11.3 + acorn: 8.12.1 acorn-walk: 8.3.2 arg: 4.1.3 create-require: 1.1.1 @@ -13980,23 +13673,6 @@ snapshots: - encoding - supports-color - web3-core@4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): - dependencies: - web3-errors: 1.2.0 - web3-eth-accounts: 4.1.2 - web3-eth-iban: 4.0.7 - web3-providers-http: 4.1.0(encoding@0.1.13) - web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) - web3-types: 1.7.0 - web3-utils: 4.3.0 - web3-validator: 2.0.6 - optionalDependencies: - web3-providers-ipc: 4.0.7 - transitivePeerDependencies: - - bufferutil - - encoding - - utf-8-validate - web3-core@4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: web3-errors: 1.3.0 @@ -14014,10 +13690,6 @@ snapshots: - encoding - utf-8-validate - web3-errors@1.2.0: - dependencies: - web3-types: 1.7.0 - web3-errors@1.3.0: dependencies: web3-types: 1.8.0 @@ -14027,17 +13699,6 @@ snapshots: '@ethersproject/abi': 5.7.0 web3-utils: 1.10.4 - web3-eth-abi@4.2.2(typescript@5.6.2)(zod@3.23.8): - dependencies: - abitype: 0.7.1(typescript@5.6.2)(zod@3.23.8) - web3-errors: 1.2.0 - web3-types: 1.7.0 - web3-utils: 4.3.0 - web3-validator: 2.0.6 - transitivePeerDependencies: - - typescript - - zod - web3-eth-abi@4.2.4(typescript@5.6.2)(zod@3.23.8): dependencies: abitype: 0.7.1(typescript@5.6.2)(zod@3.23.8) @@ -14065,16 +13726,6 @@ snapshots: - encoding - supports-color - web3-eth-accounts@4.1.2: - dependencies: - '@ethereumjs/rlp': 4.0.1 - crc-32: 1.2.2 - ethereum-cryptography: 2.2.1 - web3-errors: 1.2.0 - web3-types: 1.7.0 - web3-utils: 4.3.0 - web3-validator: 2.0.6 - web3-eth-accounts@4.2.1: dependencies: '@ethereumjs/rlp': 4.0.1 @@ -14099,22 +13750,6 @@ snapshots: - encoding - supports-color - web3-eth-contract@4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): - dependencies: - web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-errors: 1.2.0 - web3-eth: 4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) - web3-eth-abi: 4.2.2(typescript@5.6.2)(zod@3.23.8) - web3-types: 1.7.0 - web3-utils: 4.3.0 - web3-validator: 2.0.6 - transitivePeerDependencies: - - bufferutil - - encoding - - typescript - - utf-8-validate - - zod - web3-eth-contract@4.7.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: '@ethereumjs/rlp': 5.0.2 @@ -14188,21 +13823,6 @@ snapshots: - encoding - supports-color - web3-eth-personal@4.0.8(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): - dependencies: - web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-eth: 4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) - web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-types: 1.7.0 - web3-utils: 4.3.0 - web3-validator: 2.0.6 - transitivePeerDependencies: - - bufferutil - - encoding - - typescript - - utf-8-validate - - zod - web3-eth-personal@4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) @@ -14236,26 +13856,6 @@ snapshots: - encoding - supports-color - web3-eth@4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): - dependencies: - setimmediate: 1.0.5 - web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-errors: 1.2.0 - web3-eth-abi: 4.2.2(typescript@5.6.2)(zod@3.23.8) - web3-eth-accounts: 4.1.2 - web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) - web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-types: 1.7.0 - web3-utils: 4.3.0 - web3-validator: 2.0.6 - transitivePeerDependencies: - - bufferutil - - encoding - - typescript - - utf-8-validate - - zod - web3-eth@4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: setimmediate: 1.0.5 @@ -14305,15 +13905,6 @@ snapshots: transitivePeerDependencies: - encoding - web3-providers-http@4.1.0(encoding@0.1.13): - dependencies: - cross-fetch: 4.0.0(encoding@0.1.13) - web3-errors: 1.2.0 - web3-types: 1.7.0 - web3-utils: 4.3.0 - transitivePeerDependencies: - - encoding - web3-providers-http@4.2.0(encoding@0.1.13): dependencies: cross-fetch: 4.0.0(encoding@0.1.13) @@ -14343,18 +13934,6 @@ snapshots: transitivePeerDependencies: - supports-color - web3-providers-ws@4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10): - dependencies: - '@types/ws': 8.5.3 - isomorphic-ws: 5.0.0(ws@8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10)) - web3-errors: 1.2.0 - web3-types: 1.7.0 - web3-utils: 4.3.0 - ws: 8.18.0(bufferutil@4.0.8)(utf-8-validate@5.0.10) - transitivePeerDependencies: - - bufferutil - - utf-8-validate - web3-providers-ws@4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10): dependencies: '@types/ws': 8.5.3 @@ -14369,25 +13948,14 @@ snapshots: web3-rpc-methods@1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: - web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-types: 1.7.0 + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-types: 1.8.0 web3-validator: 2.0.6 transitivePeerDependencies: - bufferutil - encoding - utf-8-validate - web3-rpc-providers@1.0.0-rc.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): - dependencies: - web3-providers-http: 4.1.0(encoding@0.1.13) - web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) - web3-types: 1.7.0 - web3-utils: 4.3.0 - transitivePeerDependencies: - - bufferutil - - encoding - - utf-8-validate - web3-rpc-providers@1.0.0-rc.2(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10): dependencies: web3-errors: 1.3.0 @@ -14411,8 +13979,6 @@ snapshots: - encoding - supports-color - web3-types@1.7.0: {} - web3-types@1.8.0: {} web3-utils@1.10.4: @@ -14426,14 +13992,6 @@ snapshots: randombytes: 2.1.0 utf8: 3.0.0 - web3-utils@4.3.0: - dependencies: - ethereum-cryptography: 2.2.1 - eventemitter3: 5.0.1 - web3-errors: 1.2.0 - web3-types: 1.7.0 - web3-validator: 2.0.6 - web3-utils@4.3.1: dependencies: ethereum-cryptography: 2.2.1 @@ -14467,22 +14025,22 @@ snapshots: web3@4.10.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8): dependencies: - web3-core: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-errors: 1.2.0 - web3-eth: 4.8.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) - web3-eth-abi: 4.2.2(typescript@5.6.2)(zod@3.23.8) - web3-eth-accounts: 4.1.2 - web3-eth-contract: 4.5.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-core: 4.6.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-errors: 1.3.0 + web3-eth: 4.9.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-abi: 4.2.4(typescript@5.6.2)(zod@3.23.8) + web3-eth-accounts: 4.2.1 + web3-eth-contract: 4.7.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) web3-eth-ens: 4.4.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) web3-eth-iban: 4.0.7 - web3-eth-personal: 4.0.8(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) + web3-eth-personal: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(typescript@5.6.2)(utf-8-validate@5.0.10)(zod@3.23.8) web3-net: 4.1.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-providers-http: 4.1.0(encoding@0.1.13) - web3-providers-ws: 4.0.7(bufferutil@4.0.8)(utf-8-validate@5.0.10) + web3-providers-http: 4.2.0(encoding@0.1.13) + web3-providers-ws: 4.0.8(bufferutil@4.0.8)(utf-8-validate@5.0.10) web3-rpc-methods: 1.3.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-rpc-providers: 1.0.0-rc.0(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) - web3-types: 1.7.0 - web3-utils: 4.3.0 + web3-rpc-providers: 1.0.0-rc.2(bufferutil@4.0.8)(encoding@0.1.13)(utf-8-validate@5.0.10) + web3-types: 1.8.0 + web3-utils: 4.3.1 web3-validator: 2.0.6 transitivePeerDependencies: - bufferutil @@ -14520,7 +14078,7 @@ snapshots: webauthn-p256@0.0.5: dependencies: '@noble/curves': 1.4.2 - '@noble/hashes': 1.4.0 + '@noble/hashes': 1.5.0 webidl-conversions@3.0.1: {} @@ -14597,8 +14155,6 @@ snapshots: word-wrap@1.2.5: {} - workerpool@6.2.1: {} - workerpool@6.5.1: {} wrap-ansi@6.2.0: @@ -14683,8 +14239,6 @@ snapshots: yaml@2.5.1: {} - yargs-parser@20.2.4: {} - yargs-parser@20.2.9: {} yargs-parser@21.1.1: {} @@ -14704,7 +14258,7 @@ snapshots: require-directory: 2.1.1 string-width: 4.2.3 y18n: 5.0.8 - yargs-parser: 20.2.4 + yargs-parser: 20.2.9 yargs@17.7.2: dependencies: diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index 929cb27054..1320d2d376 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -62,19 +62,25 @@ // const endBlockHash = (await context.createBlock()).block.hash.toString(); // const allEvents: FrameSystemEventRecord[] = []; -// const parent = (await context.polkadotJs().rpc.chain.getHeader(startBlockHash)).parentHash.toString(); +// const parent = (await context.polkadotJs().rpc.chain.getHeader(startBlockHash)) +// .parentHash.toString(); // let c = 0; -// for (let hash = endBlockHash; hash != parent; hash = (await context.polkadotJs().rpc.chain.getHeader(hash)).parentHash.toString()) { +// for (let hash = endBlockHash; hash != parent; hash = (await context.polkadotJs().rpc +//.chain.getHeader(hash)).parentHash.toString()) { // const events = await (await context.polkadotJs().at(hash)).query.system.events(); -// const bnumber = (await context.polkadotJs().rpc.chain.getHeader(hash)).number.toNumber(); +// const bnumber = (await context.polkadotJs().rpc.chain.getHeader(hash)).number +//.toNumber(); // console.log(`[${bnumber}] Events at block ${hash}`); // events.forEach((event) => { // if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { // console.log(event.event.section, event.event.method); -// console.log("\t>" + event.event.data.account.toString(), event.event.data.rewards.toBigInt().toString()); -// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { +// console.log("\t>" + event.event.data.account.toString(), event.event.data.rewards. +//toBigInt().toString()); +// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event +//.event)) { // console.log(event.event.section, event.event.method); -// console.log("\t>" + event.event.data.account.toString(), event.event.data.value.toBigInt().toString()); +// console.log("\t>" + event.event.data.account.toString(), event.event.data.value +//.toBigInt().toString()); // } // }); // allEvents.push(...events); @@ -105,8 +111,6 @@ // const rewardedPbr = rewardedEvents.find(({ account }) => account == dorothy.address); // const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth.address); - - // expect(rewardedAlith).is.not.undefined; // expect(rewardedEthan).is.not.undefined; // expect(rewardedBalathar).is.not.undefined; @@ -130,8 +134,6 @@ // console.log(`PBR reward: ${rewardedPbr!.amount}`); // console.log(`Treasury reward: ${rewardedTreasury!.amount}`); - - // expect(reservedRewardPercentage.toString(), "Reserved reward percentage is not correct") // .toEqual((PBR_PERCENTAGE + TREASURY_PERCENTAGE).toString()); // expect(actualOtherPercentage.toString(), "Other reward percentage is not correct") diff --git a/test/suites/smoke/test-staking-rewards.ts b/test/suites/smoke/test-staking-rewards.ts index 3e1db7d2cd..310896a4f5 100644 --- a/test/suites/smoke/test-staking-rewards.ts +++ b/test/suites/smoke/test-staking-rewards.ts @@ -620,7 +620,7 @@ describeSuite({ const eventTypes = payment.delayedPayoutRound.firstBlockApi.events; // only deduct parachainBondReward if it was transferred (event must exist) if (eventTypes.parachainStaking.InflationDistributed.is(event)) { - reservedInflation.addn(event.data.value.toNumber()) + reservedInflation.addn(event.data.value.toNumber()); } } From 0712e30c7d1f831da2314e08ead2552b55992c69 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 17:54:53 +0000 Subject: [PATCH 32/37] fix --- test/suites/dev/moonbase/test-staking/test-rewards5.ts | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index 1320d2d376..658c1051c2 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -93,7 +93,8 @@ // account: event.event.data.account.toString(), // amount: event.event.data.rewards.toBigInt(), // }); -// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { +// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event +//.event)) { // acc.push({ // account: event.event.data.account.toString(), // amount: event.event.data.value.toBigInt(), @@ -106,10 +107,12 @@ // const rewardedAlith = rewardedEvents.find(({ account }) => account == alith.address); // const rewardedEthan = rewardedEvents.find(({ account }) => account == ethan.address); -// const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar.address); +// const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar +//.address); // const rewardedPbr = rewardedEvents.find(({ account }) => account == dorothy.address); -// const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth.address); +// const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth +//.address); // expect(rewardedAlith).is.not.undefined; // expect(rewardedEthan).is.not.undefined; From 7265438854c1e26c48a5e602139b80404304329c Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 19:00:49 +0000 Subject: [PATCH 33/37] dummy --- .../moonbase/test-staking/test-rewards5.ts | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index 658c1051c2..a86b6a4fe3 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -4,6 +4,25 @@ // import { jumpRounds } from "../../../../helpers"; // import { FrameSystemEventRecord } from "@polkadot/types/lookup"; +import { describeSuite, expect } from "@moonwall/cli"; +import { id } from "ethers"; + +// dummy passing test +describeSuite({ + id: "D0134655", + title: "Staking - Rewards - Bond + Treasury", + foundationMethods: "dev", + testCases: ({ context, it, log }) => { + it({ + id: "T01", + title: "dummy test", + test: async () => { + expect(true).toEqual(true); + }, + }); + }, +}) + // describeSuite({ // id: "D0134655", // title: "Staking - Rewards - Bond + Treasury", From caed8bd53df1c73d41eca73e8b9b893afbe8a09b Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Thu, 3 Oct 2024 19:43:48 +0000 Subject: [PATCH 34/37] fix --- test/suites/dev/moonbase/test-staking/test-rewards5.ts | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index a86b6a4fe3..6975b0b848 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -5,7 +5,6 @@ // import { FrameSystemEventRecord } from "@polkadot/types/lookup"; import { describeSuite, expect } from "@moonwall/cli"; -import { id } from "ethers"; // dummy passing test describeSuite({ @@ -21,7 +20,7 @@ describeSuite({ }, }); }, -}) +}); // describeSuite({ // id: "D0134655", From aa5b89df8779b02bc00c140c4adb9ffdb9673740 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Fri, 4 Oct 2024 09:46:56 +0000 Subject: [PATCH 35/37] add test "Staking - Rewards - Bond + Treasury" --- .../moonbase/test-staking/test-rewards5.ts | 268 +++++++----------- 1 file changed, 108 insertions(+), 160 deletions(-) diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index 6975b0b848..dba628f012 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -1,173 +1,121 @@ -// import "@moonbeam-network/api-augment"; -// import { beforeAll, describeSuite, expect } from "@moonwall/cli"; -// import { MIN_GLMR_STAKING, alith, baltathar, ethan, dorothy, charleth } from "@moonwall/util"; -// import { jumpRounds } from "../../../../helpers"; -// import { FrameSystemEventRecord } from "@polkadot/types/lookup"; +import "@moonbeam-network/api-augment"; +import { beforeAll, describeSuite, expect } from "@moonwall/cli"; +import { + MIN_GLMR_STAKING, + alith, + baltathar, + ethan, + dorothy, + charleth, + Percent, +} from "@moonwall/util"; +import { jumpBlocks } from "../../../../helpers"; +import { BN } from "@polkadot/util"; -import { describeSuite, expect } from "@moonwall/cli"; - -// dummy passing test describeSuite({ id: "D0134655", title: "Staking - Rewards - Bond + Treasury", foundationMethods: "dev", testCases: ({ context, it, log }) => { + const BOND_AMOUNT = MIN_GLMR_STAKING + 1_000_000_000_000_000_000n; + const PBR_PERCENTAGE = 10; + const TREASURY_PERCENTAGE = 20; + + beforeAll(async () => { + await context.createBlock([ + context + .polkadotJs() + .tx.sudo.sudo( + context.polkadotJs().tx.parachainStaking.setInflationDistributionConfig([ + { + account: dorothy.address, + percent: PBR_PERCENTAGE, + }, + { + account: charleth.address, + percent: TREASURY_PERCENTAGE, + }, + ]) + ) + .signAsync(alith), + ]); + }); + it({ id: "T01", - title: "dummy test", + title: "Should act correctly upon inflation distribution config", test: async () => { - expect(true).toEqual(true); + const BLOCKS_PER_ROUND = 10; + await context.createBlock( + [ + context + .polkadotJs() + .tx.sudo.sudo( + context.polkadotJs().tx.parachainStaking.setBlocksPerRound(BLOCKS_PER_ROUND) + ) + .signAsync(alith), + context + .polkadotJs() + .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) + .signAsync(ethan), + context + .polkadotJs() + .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) + .signAsync(baltathar), + ], + { allowFailures: false } + ); + + let currentHash = await context.polkadotJs().rpc.chain.getFinalizedHead(); + let currentBlockNumber = ( + await context.polkadotJs().rpc.chain.getHeader(currentHash) + ).number.toNumber(); + let blocksToJump = BLOCKS_PER_ROUND - currentBlockNumber; + console.log(`Jumping ${blocksToJump} blocks`); + await jumpBlocks(context, blocksToJump); + + let pbrReward: bigint | undefined; + let treasuryReward: bigint | undefined; + + (await context.polkadotJs().query.system.events()).forEach((event) => { + if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event.event)) { + if (event.event.data.account.toString() == dorothy.address) { + pbrReward = event.event.data.value.toBigInt(); + } else if (event.event.data.account.toString() == charleth.address) { + treasuryReward = event.event.data.value.toBigInt(); + } + } + }); + + const payout = ( + await context.polkadotJs().query.parachainStaking.delayedPayouts(1) + ).unwrap(); + const totalReward = payout.roundIssuance.toBigInt(); + const otherRewards = payout.totalStakingReward.toBigInt(); + + expect(pbrReward).is.not.undefined; + expect(treasuryReward).is.not.undefined; + + expect((pbrReward! + treasuryReward!).toString()).to.be.eq( + new Percent(PBR_PERCENTAGE + TREASURY_PERCENTAGE) + .of(new BN(totalReward.toString())) + .toString() + ); + + expect(otherRewards.toString()).to.be.eq( + new Percent(100 - PBR_PERCENTAGE - TREASURY_PERCENTAGE) + .of(new BN(totalReward.toString())) + .toString() + ); + + expect(pbrReward!.toString()).to.be.eq( + new Percent(PBR_PERCENTAGE).of(new BN(totalReward.toString())).toString() + ); + + expect(treasuryReward!.toString()).to.be.eq( + new Percent(TREASURY_PERCENTAGE).of(new BN(totalReward.toString())).toString() + ); }, }); }, }); - -// describeSuite({ -// id: "D0134655", -// title: "Staking - Rewards - Bond + Treasury", -// foundationMethods: "dev", -// testCases: ({ context, it, log }) => { -// const BOND_AMOUNT = MIN_GLMR_STAKING + 1_000_000_000_000_000_000n; -// const PBR_PERCENTAGE = 10; -// const TREASURY_PERCENTAGE = 20; - -// beforeAll(async () => { -// await context.createBlock([ -// context -// .polkadotJs() -// .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setInflationDistributionConfig([ -// { -// account: dorothy.address, -// percent: PBR_PERCENTAGE, -// }, -// { -// account: charleth.address, -// percent: TREASURY_PERCENTAGE, -// } -// ])) -// .signAsync(alith), -// ]); - -// }); - -// it({ -// id: "T01", -// title: "should reward charleth and dorothy correct amounts", -// test: async () => { -// const startBlockHash = (await context.createBlock( -// [ -// context -// .polkadotJs() -// .tx.sudo.sudo(context.polkadotJs().tx.parachainStaking.setBlocksPerRound(10)) -// .signAsync(alith), -// context -// .polkadotJs() -// .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 0, 0) -// .signAsync(ethan), -// context -// .polkadotJs() -// .tx.parachainStaking.delegate(alith.address, BOND_AMOUNT, 1, 0) -// .signAsync(baltathar), -// ], -// { allowFailures: false } -// )).block.hash.toString(); - -// const rewardDelay = context.polkadotJs().consts.parachainStaking.rewardPaymentDelay; -// const round = (await context.polkadotJs().query.parachainStaking.round()).length; -// console.log(`Round length: ${round}`); -// console.log(`Reward delay: ${rewardDelay.toString()}`); -// await jumpRounds(context, rewardDelay.addn(1).toNumber()); -// const endBlockHash = (await context.createBlock()).block.hash.toString(); - -// const allEvents: FrameSystemEventRecord[] = []; -// const parent = (await context.polkadotJs().rpc.chain.getHeader(startBlockHash)) -// .parentHash.toString(); -// let c = 0; -// for (let hash = endBlockHash; hash != parent; hash = (await context.polkadotJs().rpc -//.chain.getHeader(hash)).parentHash.toString()) { -// const events = await (await context.polkadotJs().at(hash)).query.system.events(); -// const bnumber = (await context.polkadotJs().rpc.chain.getHeader(hash)).number -//.toNumber(); -// console.log(`[${bnumber}] Events at block ${hash}`); -// events.forEach((event) => { -// if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { -// console.log(event.event.section, event.event.method); -// console.log("\t>" + event.event.data.account.toString(), event.event.data.rewards. -//toBigInt().toString()); -// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event -//.event)) { -// console.log(event.event.section, event.event.method); -// console.log("\t>" + event.event.data.account.toString(), event.event.data.value -//.toBigInt().toString()); -// } -// }); -// allEvents.push(...events); -// } - -// const rewardedEvents = allEvents.reduce( -// (acc: { account: string; amount: bigint }[], event) => { -// if (context.polkadotJs().events.parachainStaking.Rewarded.is(event.event)) { -// acc.push({ -// account: event.event.data.account.toString(), -// amount: event.event.data.rewards.toBigInt(), -// }); -// } else if (context.polkadotJs().events.parachainStaking.InflationDistributed.is(event -//.event)) { -// acc.push({ -// account: event.event.data.account.toString(), -// amount: event.event.data.value.toBigInt(), -// }); -// } -// return acc; -// }, -// [] -// ); - -// const rewardedAlith = rewardedEvents.find(({ account }) => account == alith.address); -// const rewardedEthan = rewardedEvents.find(({ account }) => account == ethan.address); -// const rewardedBalathar = rewardedEvents.find(({ account }) => account == baltathar -//.address); - -// const rewardedPbr = rewardedEvents.find(({ account }) => account == dorothy.address); -// const rewardedTreasury = rewardedEvents.find(({ account }) => account == charleth -//.address); - -// expect(rewardedAlith).is.not.undefined; -// expect(rewardedEthan).is.not.undefined; -// expect(rewardedBalathar).is.not.undefined; -// expect(rewardedPbr).is.not.undefined; -// expect(rewardedTreasury).is.not.undefined; - -// const totalReward = rewardedEvents.reduce((acc, { amount }) => acc + amount, 0n); -// const reservedReward = rewardedPbr!.amount + rewardedTreasury!.amount; -// const otherReward = totalReward - reservedReward; -// const otherPercentage = BigInt(100 - PBR_PERCENTAGE - TREASURY_PERCENTAGE); - -// const reservedRewardPercentage = ((reservedReward * 100n) / totalReward); -// const actualOtherPercentage = ((otherReward * 100n) / totalReward); - -// //log all the above values -// console.log(`Total reward: ${totalReward}`); -// console.log(`Reserved reward: ${reservedReward}`); -// console.log(`Other reward: ${otherReward}`); -// console.log(`Reserved reward percentage: ${reservedRewardPercentage}`); -// console.log(`Other reward percentage: ${actualOtherPercentage}`); -// console.log(`PBR reward: ${rewardedPbr!.amount}`); -// console.log(`Treasury reward: ${rewardedTreasury!.amount}`); - -// expect(reservedRewardPercentage.toString(), "Reserved reward percentage is not correct") -// .toEqual((PBR_PERCENTAGE + TREASURY_PERCENTAGE).toString()); -// expect(actualOtherPercentage.toString(), "Other reward percentage is not correct") -// .toEqual(otherPercentage.toString()); - -// const pbrPercentage = (rewardedPbr!.amount * 100n) / totalReward; -// const treasuryPercentage = (rewardedTreasury!.amount * 100n) / totalReward; - -// expect(pbrPercentage.toString(), "PBR reward percentage is not correct") -// .toEqual(PBR_PERCENTAGE.toString()); -// expect(treasuryPercentage.toString(), "Treasury reward percentage is not correct") -// .toEqual(TREASURY_PERCENTAGE.toString()); -// }, -// }); -// }, -// }); From daae46c1ee3ce1990bfa8ed8e3092853c24565b4 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Fri, 4 Oct 2024 10:29:25 +0000 Subject: [PATCH 36/37] fix --- test/suites/dev/moonbase/test-staking/test-rewards5.ts | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/test/suites/dev/moonbase/test-staking/test-rewards5.ts b/test/suites/dev/moonbase/test-staking/test-rewards5.ts index dba628f012..4285e5e1f9 100644 --- a/test/suites/dev/moonbase/test-staking/test-rewards5.ts +++ b/test/suites/dev/moonbase/test-staking/test-rewards5.ts @@ -66,11 +66,11 @@ describeSuite({ { allowFailures: false } ); - let currentHash = await context.polkadotJs().rpc.chain.getFinalizedHead(); - let currentBlockNumber = ( + const currentHash = await context.polkadotJs().rpc.chain.getFinalizedHead(); + const currentBlockNumber = ( await context.polkadotJs().rpc.chain.getHeader(currentHash) ).number.toNumber(); - let blocksToJump = BLOCKS_PER_ROUND - currentBlockNumber; + const blocksToJump = BLOCKS_PER_ROUND - currentBlockNumber; console.log(`Jumping ${blocksToJump} blocks`); await jumpBlocks(context, blocksToJump); From 5404f4c9c378a875c1b1a7e0fc615b5fd5641eb6 Mon Sep 17 00:00:00 2001 From: Tarek Mohamed Abdalla Date: Fri, 4 Oct 2024 14:54:53 +0000 Subject: [PATCH 37/37] fix comment --- pallets/parachain-staking/src/migrations.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pallets/parachain-staking/src/migrations.rs b/pallets/parachain-staking/src/migrations.rs index 4c689e451d..fcd7b8a152 100644 --- a/pallets/parachain-staking/src/migrations.rs +++ b/pallets/parachain-staking/src/migrations.rs @@ -55,7 +55,7 @@ impl OnRuntimeUpgrade for MigrateParachainBondConfig { InflationDistributionInfo::::put(configs); - // Remove storage value AssetManager::SupportedFeePaymentAssets + // Remove storage value ParachainStaking::ParachainBondInfo frame_support::storage::unhashed::kill(&frame_support::storage::storage_prefix( b"ParachainStaking", b"ParachainBondInfo",