使用Substrate区块链框架,如何在Substrate特定类型和Rust原语类型之间进行转换,反之亦然?
例如:
T::Moment
)转换为u64
T::Balance
等...
答案 0 :(得分:2)
基材removed As
赞成From
/ Into
。 假定所有类型至少为u32
。
根据特征SimpleArithmatic
,实现了以下内容:
From
:u8
,u16
,u32
TryFrom
:u64
,u128
,usize
TryInto
:u8
,u16
,u32
,u64
,u128
,usize
还提供了另一个特征以提供人体工程学 当您不在乎该值是否饱和时,就可以进行无误的转换。
UniqueSaturatedInto
:u8
,u16
,u32
,u64
,u128
UniqueSaturatedFrom
:u64
,u128
在
除非您知道自己在做什么,已经考虑并考虑了所有选项,并且用例暗示饱和,否则不应该使用SaturatedConversion
上来自Gav的提示
SaturatedConversion
(saturated_into
和saturated_from
)从根本上是正确的。我唯一一次想到的是,这种情况发生在运行时算法的深入研究中,在逻辑上您可以确定它不会溢出,但是不能提供证明,因为它取决于一致的预先存在的状态。
这意味着从u32
到特定基材类型的工作应该很容易:
pub fn u32_to_balance(input: u32) -> T::Balance {
input.into()
}
对于较大的类型,您需要处理运行时的Balance
类型小于可用类型的情况:
pub fn u64_to_balance_option(input: u64) -> Option<T::Balance> {
input.try_into().ok()
}
// Note the warning above about saturated conversions
pub fn u64_to_balance_saturated(input: u64) -> T::Balance {
input.saturated_into()
}
从T::Balance
转换为rust原语时,还需要处理不兼容类型之间的转换:
pub fn balance_to_u64(input: T::Balance) -> Option<u64> {
TryInto::<u64>::try_into(input).ok()
}
// Note the warning above about saturated conversions
pub fn balance_to_u64_saturated(input: T::Balance) -> u64 {
input.saturated_into::<u64>()
}
基材提供pub trait As<T>
in the sr-primitives
crate:
/// Simple trait similar to `Into`, except that it can be used to convert numerics between each
/// other.
pub trait As<T> {
/// Convert forward (ala `Into::into`).
fn as_(self) -> T;
/// Convert backward (ala `From::from`).
fn sa(_: T) -> Self;
}
以下是一些如何使用它的有效示例:
impl<T: Trait> Module<T> {
// `as_` will turn T::Balance into a u64
pub fn balance_to_u64(input: T::Balance) -> u64 {
input.as_()
}
// Being explicit, you can convert a `u64` to a T::Balance
// using the `As` trait, with `T: u64`, and then calling `sa`
pub fn u64_to_balance(input: u64) -> T::Balance {
<T::Balance as As<u64>>::sa(input)
}
// You can also let Rust figure out what `T` is
pub fn u64_to_balance_implied(input: u64) -> T::Balance {
<T::Balance as As<_>>::sa(input)
}
// You can also let Rust figure out where `sa` is implemented
pub fn u64_to_balance_implied_more(input: u64) -> T::Balance {
T::Balance::sa(input)
}
}