Skip to content
Snippets Groups Projects
lib.rs 7.32 KiB
Newer Older
  • Learn to ignore specific revisions
  • Xiliang Chen's avatar
    Xiliang Chen committed
    //! # Gradually Update
    //! A module for scheduling gradually updates to storage values.
    //!
    //! - [`Trait`](./trait.Trait.html)
    //! - [`Call`](./enum.Call.html)
    //! - [`Module`](./struct.Module.html)
    //!
    //! ## Overview
    //!
    
    //! This module exposes capabilities for scheduling updates to storage values
    //! gradually. This is useful to change parameter values gradually to ensure a
    //! smooth transition. It is also possible to cancel an update before it reaches
    //! to target value.
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    //!
    
    //! NOTE: Only unsigned integer value up to 128 bits are supported. But a
    //! "newtype" pattern struct that wraps an unsigned integer works too such as
    //! `Permill` and `FixedU128`.
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    
    
    #![cfg_attr(not(feature = "std"), no_std)]
    
    Keith Yeung's avatar
    Keith Yeung committed
    // Disable the following two lints since they originate from an external macro (namely decl_storage)
    #![allow(clippy::string_lit_as_bytes)]
    
    
    use codec::{Decode, Encode};
    
    use frame_support::{
    	decl_error, decl_event, decl_module, decl_storage, ensure, storage,
    	traits::{EnsureOrigin, Get},
    
    	weights::Weight,
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    use frame_system::ensure_root;
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    use sp_runtime::{traits::SaturatedConversion, DispatchResult, RuntimeDebug};
    
    use sp_std::prelude::Vec;
    
    
    zjb0807's avatar
    zjb0807 committed
    mod default_weight;
    
    mod mock;
    mod tests;
    
    
    zjb0807's avatar
    zjb0807 committed
    pub trait WeightInfo {
    	fn gradually_update() -> Weight;
    	fn cancel_gradually_update() -> Weight;
    	fn on_initialize(need_update: bool, update_len: usize) -> Weight;
    }
    
    
    type StorageKey = Vec<u8>;
    type StorageValue = Vec<u8>;
    
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    /// Gradually update a value stored at `key` to `target_value`,
    
    /// change `per_block` * `T::UpdateFrequency` per `T::UpdateFrequency` blocks.
    
    #[derive(Encode, Decode, Clone, Eq, PartialEq, RuntimeDebug)]
    pub struct GraduallyUpdate {
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    	/// The storage key of the value to update
    
    zjb0807's avatar
    zjb0807 committed
    	pub key: StorageKey,
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    	/// The target value
    
    zjb0807's avatar
    zjb0807 committed
    	pub target_value: StorageValue,
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    	/// The amount of the value to update per one block
    
    zjb0807's avatar
    zjb0807 committed
    	pub per_block: StorageValue,
    
    }
    
    pub trait Trait: frame_system::Trait {
    	type Event: From<Event<Self>> + Into<<Self as frame_system::Trait>::Event>;
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    	/// The frequency of updating values between blocks
    
    	type UpdateFrequency: Get<Self::BlockNumber>;
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    	/// The origin that can schedule an update
    
    	type DispatchOrigin: EnsureOrigin<Self::Origin>;
    
    zjb0807's avatar
    zjb0807 committed
    	/// Weight information for extrinsics in this module.
    	type WeightInfo: WeightInfo;
    
    }
    
    decl_storage! {
    	trait Store for Module<T: Trait> as GraduallyUpdate {
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		/// All the on-going updates
    
    		pub GraduallyUpdates get(fn gradually_updates): Vec<GraduallyUpdate>;
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		/// The last updated block number
    
    		pub LastUpdatedAt get(fn last_updated_at): T::BlockNumber;
    
    	}
    }
    
    decl_event!(
    	/// Event for gradually-update module.
    	pub enum Event<T> where
    	<T as frame_system::Trait>::BlockNumber,
    	{
    
    		/// Gradually update added. [key, per_block, target_value]
    
    		GraduallyUpdateAdded(StorageKey, StorageValue, StorageValue),
    
    		/// Gradually update cancelled. [key]
    
    		GraduallyUpdateCancelled(StorageKey),
    
    		/// Gradually update applied. [block_number, key, target_value]
    
    		Updated(BlockNumber, StorageKey, StorageValue),
    
    	}
    );
    
    decl_error! {
    	/// Error for gradually-update module.
    	pub enum Error for Module<T: Trait> {
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		/// The `per_block` or `target_value` is invalid.
    
    		InvalidPerBlockOrTargetValue,
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		/// The `target_value` is invalid.
    
    		InvalidTargetValue,
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		/// Another update is already been scheduled for this key.
    
    		GraduallyUpdateHasExisted,
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		/// No update exists to cancel.
    
    		GraduallyUpdateNotFound,
    
    	}
    }
    
    decl_module! {
    	pub struct Module<T: Trait> for enum Call where origin: T::Origin {
    		type Error = Error<T>;
    
    		fn deposit_event() = default;
    
    		const UpdateFrequency: T::BlockNumber = T::UpdateFrequency::get();
    
    
    		/// Add gradually_update to adjust numeric parameter.
    
    zjb0807's avatar
    zjb0807 committed
    		#[weight = T::WeightInfo::gradually_update()]
    
    		pub fn gradually_update(origin, update: GraduallyUpdate) {
    
    			T::DispatchOrigin::try_origin(origin).map(|_| ()).or_else(ensure_root)?;
    
    
    			// Support max value is u128, ensure per_block and target_value <= 16 bytes.
    			ensure!(update.per_block.len() == update.target_value.len() && update.per_block.len() <= 16, Error::<T>::InvalidPerBlockOrTargetValue);
    
    			if storage::unhashed::exists(&update.key) {
    				let current_value = storage::unhashed::get::<StorageValue>(&update.key).unwrap();
    				ensure!(current_value.len() == update.target_value.len(), Error::<T>::InvalidTargetValue);
    			}
    
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			GraduallyUpdates::try_mutate(|gradually_updates| -> DispatchResult {
    				ensure!(!gradually_updates.contains(&update), Error::<T>::GraduallyUpdateHasExisted);
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    				gradually_updates.push(update.clone());
    
    				Ok(())
    			})?;
    
    			Self::deposit_event(RawEvent::GraduallyUpdateAdded(update.key, update.per_block, update.target_value));
    
    		/// Cancel gradually_update to adjust numeric parameter.
    
    zjb0807's avatar
    zjb0807 committed
    		#[weight = T::WeightInfo::cancel_gradually_update()]
    
    		pub fn cancel_gradually_update(origin, key: StorageKey) {
    
    			T::DispatchOrigin::try_origin(origin).map(|_| ()).or_else(ensure_root)?;
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			GraduallyUpdates::try_mutate(|gradually_updates| -> DispatchResult {
    				let old_len = gradually_updates.len();
    				gradually_updates.retain(|item| item.key != key);
    
    				ensure!(gradually_updates.len() != old_len, Error::<T>::GraduallyUpdateNotFound);
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    
    				Ok(())
    			})?;
    
    			Self::deposit_event(RawEvent::GraduallyUpdateCancelled(key));
    
    zjb0807's avatar
    zjb0807 committed
    		/// `on_initialize` to return the weight used in `on_finalize`.
    
    		fn on_initialize() -> Weight {
    
    zjb0807's avatar
    zjb0807 committed
    			let now = <frame_system::Module<T>>::block_number();
    			T::WeightInfo::on_initialize(Self::_need_update(now), GraduallyUpdates::get().len())
    
    		/// Update gradually_update to adjust numeric parameter.
    		fn on_finalize(now: T::BlockNumber) {
    			Self::_on_finalize(now);
    		}
    	}
    }
    
    impl<T: Trait> Module<T> {
    
    zjb0807's avatar
    zjb0807 committed
    	fn _need_update(now: T::BlockNumber) -> bool {
    		now >= Self::last_updated_at() + T::UpdateFrequency::get()
    	}
    
    
    	fn _on_finalize(now: T::BlockNumber) {
    
    zjb0807's avatar
    zjb0807 committed
    		if !Self::_need_update(now) {
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		let mut gradually_updates = GraduallyUpdates::get();
    
    		let initial_count = gradually_updates.len();
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    		gradually_updates.retain(|update| {
    			let mut keep = true;
    			let current_value = storage::unhashed::get::<StorageValue>(&update.key).unwrap_or_default();
    			let current_value_u128 = u128::from_le_bytes(Self::convert_vec_to_u8(&current_value));
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			let frequency_u128: u128 = T::UpdateFrequency::get().saturated_into();
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			let step = u128::from_le_bytes(Self::convert_vec_to_u8(&update.per_block));
    			let step_u128 = step.checked_mul(frequency_u128).unwrap();
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			let target_u128 = u128::from_le_bytes(Self::convert_vec_to_u8(&update.target_value));
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			let new_value_u128 = if current_value_u128 > target_u128 {
    				(current_value_u128.checked_sub(step_u128).unwrap()).max(target_u128)
    			} else {
    				(current_value_u128.checked_add(step_u128).unwrap()).min(target_u128)
    			};
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			// current_value equal target_value, remove gradually_update
    			if new_value_u128 == target_u128 {
    				keep = false;
    			}
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			let mut value = new_value_u128.encode();
    			value.truncate(update.target_value.len());
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			storage::unhashed::put(&update.key, &value);
    
    			Self::deposit_event(RawEvent::Updated(now, update.key.clone(), value));
    
    Xiliang Chen's avatar
    Xiliang Chen committed
    			keep
    		});
    
    
    		// gradually_update has finished. Remove it from GraduallyUpdates.
    
    		if gradually_updates.len() < initial_count {
    
    			GraduallyUpdates::put(gradually_updates);
    		}
    
    
    		LastUpdatedAt::<T>::put(now);
    
    Keith Yeung's avatar
    Keith Yeung committed
    	#[allow(clippy::ptr_arg)]
    
    	fn convert_vec_to_u8(input: &StorageValue) -> [u8; 16] {
    		let mut array: [u8; 16] = [0; 16];
    		for (i, v) in input.iter().enumerate() {
    
    Keith Yeung's avatar
    Keith Yeung committed
    			array[i] = *v;