bounded_collections/
lib.rs

1// Copyright 2023 Parity Technologies
2//
3// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
4// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
5// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
6// option. This file may not be copied, modified, or distributed
7// except according to those terms.
8
9//! Collection types that have an upper limit on how many elements that they can contain, and
10//! supporting traits that aid in defining the limit.
11
12#![cfg_attr(not(feature = "std"), no_std)]
13
14pub extern crate alloc;
15
16pub mod bounded_btree_map;
17pub mod bounded_btree_set;
18pub mod bounded_vec;
19pub mod const_int;
20pub mod weak_bounded_vec;
21
22mod test;
23
24pub use bounded_btree_map::BoundedBTreeMap;
25pub use bounded_btree_set::BoundedBTreeSet;
26pub use bounded_vec::{BoundedSlice, BoundedVec};
27pub use const_int::{ConstInt, ConstUint};
28pub use weak_bounded_vec::WeakBoundedVec;
29
30/// A trait for querying a single value from a type defined in the trait.
31///
32/// It is not required that the value is constant.
33pub trait TypedGet {
34	/// The type which is returned.
35	type Type;
36	/// Return the current value.
37	fn get() -> Self::Type;
38}
39
40/// A trait for querying a single value from a type.
41///
42/// It is not required that the value is constant.
43pub trait Get<T> {
44	/// Return the current value.
45	fn get() -> T;
46}
47
48impl<T: Default> Get<T> for () {
49	fn get() -> T {
50		T::default()
51	}
52}
53
54/// Implement Get by returning Default for any type that implements Default.
55pub struct GetDefault;
56impl<T: Default> Get<T> for GetDefault {
57	fn get() -> T {
58		T::default()
59	}
60}
61
62macro_rules! impl_const_get {
63	($name:ident, $t:ty) => {
64		/// Const getter for a basic type.
65		#[derive(Default, Clone)]
66		pub struct $name<const T: $t>;
67
68		#[cfg(feature = "std")]
69		impl<const T: $t> core::fmt::Debug for $name<T> {
70			fn fmt(&self, fmt: &mut core::fmt::Formatter) -> core::fmt::Result {
71				fmt.write_str(&format!("{}<{}>", stringify!($name), T))
72			}
73		}
74		#[cfg(not(feature = "std"))]
75		impl<const T: $t> core::fmt::Debug for $name<T> {
76			fn fmt(&self, fmt: &mut core::fmt::Formatter) -> core::fmt::Result {
77				fmt.write_str("<wasm:stripped>")
78			}
79		}
80		impl<const T: $t> Get<$t> for $name<T> {
81			fn get() -> $t {
82				T
83			}
84		}
85		impl<const T: $t> Get<Option<$t>> for $name<T> {
86			fn get() -> Option<$t> {
87				Some(T)
88			}
89		}
90		impl<const T: $t> TypedGet for $name<T> {
91			type Type = $t;
92			fn get() -> $t {
93				T
94			}
95		}
96	};
97}
98
99impl_const_get!(ConstBool, bool);
100impl_const_get!(ConstU8, u8);
101impl_const_get!(ConstU16, u16);
102impl_const_get!(ConstU32, u32);
103impl_const_get!(ConstU64, u64);
104impl_const_get!(ConstU128, u128);
105impl_const_get!(ConstI8, i8);
106impl_const_get!(ConstI16, i16);
107impl_const_get!(ConstI32, i32);
108impl_const_get!(ConstI64, i64);
109impl_const_get!(ConstI128, i128);
110
111/// Try and collect into a collection `C`.
112pub trait TryCollect<C> {
113	/// The error type that gets returned when a collection can't be made from `self`.
114	type Error;
115	/// Consume self and try to collect the results into `C`.
116	///
117	/// This is useful in preventing the undesirable `.collect().try_into()` call chain on
118	/// collections that need to be converted into a bounded type (e.g. `BoundedVec`).
119	fn try_collect(self) -> Result<C, Self::Error>;
120}
121
122/// Create new implementations of the [`Get`](crate::Get) trait.
123///
124/// The so-called parameter type can be created in four different ways:
125///
126/// - Using `const` to create a parameter type that provides a `const` getter. It is required that
127///   the `value` is const.
128///
129/// - Declare the parameter type without `const` to have more freedom when creating the value.
130///
131/// NOTE: A more substantial version of this macro is available in `frame_support` crate which
132/// allows mutable and persistant variants.
133///
134/// # Examples
135///
136/// ```
137/// # use bounded_collections::Get;
138/// # use bounded_collections::parameter_types;
139/// // This function cannot be used in a const context.
140/// fn non_const_expression() -> u64 { 99 }
141///
142/// const FIXED_VALUE: u64 = 10;
143/// parameter_types! {
144///    pub const Argument: u64 = 42 + FIXED_VALUE;
145///    /// Visibility of the type is optional
146///    OtherArgument: u64 = non_const_expression();
147/// }
148///
149/// trait Config {
150///    type Parameter: Get<u64>;
151///    type OtherParameter: Get<u64>;
152/// }
153///
154/// struct Runtime;
155/// impl Config for Runtime {
156///    type Parameter = Argument;
157///    type OtherParameter = OtherArgument;
158/// }
159/// ```
160///
161/// # Invalid example:
162///
163/// ```compile_fail
164/// # use bounded_collections::Get;
165/// # use bounded_collections::parameter_types;
166/// // This function cannot be used in a const context.
167/// fn non_const_expression() -> u64 { 99 }
168///
169/// parameter_types! {
170///    pub const Argument: u64 = non_const_expression();
171/// }
172/// ```
173#[macro_export]
174macro_rules! parameter_types {
175	(
176		$( #[ $attr:meta ] )*
177		$vis:vis const $name:ident: $type:ty = $value:expr;
178		$( $rest:tt )*
179	) => (
180		$( #[ $attr ] )*
181		$vis struct $name;
182		$crate::parameter_types!(@IMPL_CONST $name , $type , $value);
183		$crate::parameter_types!( $( $rest )* );
184	);
185	(
186		$( #[ $attr:meta ] )*
187		$vis:vis $name:ident: $type:ty = $value:expr;
188		$( $rest:tt )*
189	) => (
190		$( #[ $attr ] )*
191		$vis struct $name;
192		$crate::parameter_types!(@IMPL $name, $type, $value);
193		$crate::parameter_types!( $( $rest )* );
194	);
195	() => ();
196	(@IMPL_CONST $name:ident, $type:ty, $value:expr) => {
197		impl $name {
198			/// Returns the value of this parameter type.
199			pub const fn get() -> $type {
200				$value
201			}
202		}
203
204		impl<I: From<$type>> $crate::Get<I> for $name {
205			fn get() -> I {
206				I::from(Self::get())
207			}
208		}
209
210		impl $crate::TypedGet for $name {
211			type Type = $type;
212			fn get() -> $type {
213				Self::get()
214			}
215		}
216	};
217	(@IMPL $name:ident, $type:ty, $value:expr) => {
218		impl $name {
219			/// Returns the value of this parameter type.
220			pub fn get() -> $type {
221				$value
222			}
223		}
224
225		impl<I: From<$type>> $crate::Get<I> for $name {
226			fn get() -> I {
227				I::from(Self::get())
228			}
229		}
230
231		impl $crate::TypedGet for $name {
232			type Type = $type;
233			fn get() -> $type {
234				Self::get()
235			}
236		}
237	};
238}
239
240/// Build a bounded vec from the given literals.
241///
242/// The type of the outcome must be known.
243///
244/// Will not handle any errors and just panic if the given literals cannot fit in the corresponding
245/// bounded vec type. Thus, this is only suitable for testing and non-consensus code.
246#[macro_export]
247#[cfg(feature = "std")]
248macro_rules! bounded_vec {
249	($ ($values:expr),* $(,)?) => {
250		{
251			$crate::alloc::vec![$($values),*].try_into().unwrap()
252		}
253	};
254	( $value:expr ; $repetition:expr ) => {
255		{
256			$crate::alloc::vec![$value ; $repetition].try_into().unwrap()
257		}
258	}
259}
260
261/// Build a bounded btree-map from the given literals.
262///
263/// The type of the outcome must be known.
264///
265/// Will not handle any errors and just panic if the given literals cannot fit in the corresponding
266/// bounded vec type. Thus, this is only suitable for testing and non-consensus code.
267#[macro_export]
268#[cfg(feature = "std")]
269macro_rules! bounded_btree_map {
270	($ ( $key:expr => $value:expr ),* $(,)?) => {
271		{
272			$crate::TryCollect::<$crate::BoundedBTreeMap<_, _, _>>::try_collect(
273				$crate::alloc::vec![$(($key, $value)),*].into_iter()
274			).unwrap()
275		}
276	};
277}