oasis_runtime_sdk/types/
token.rs1use std::{convert::TryFrom, fmt};
3
4#[derive(Clone, Debug, Default, PartialEq, Eq, PartialOrd, Ord, Hash, cbor::Encode)]
6#[cbor(transparent)]
7pub struct Denomination(Vec<u8>);
8
9impl Denomination {
10 pub const MAX_LENGTH: usize = 32;
12 pub const NATIVE: Denomination = Denomination(Vec::new());
14
15 pub fn is_native(&self) -> bool {
17 self.0.is_empty()
18 }
19
20 pub fn into_vec(self) -> Vec<u8> {
22 self.0
23 }
24}
25
26impl AsRef<[u8]> for Denomination {
27 fn as_ref(&self) -> &[u8] {
28 &self.0
29 }
30}
31
32impl fmt::Display for Denomination {
33 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
34 if self.is_native() {
35 write!(f, "<native>")?;
36 } else {
37 write!(f, "{}", String::from_utf8_lossy(&self.0))?;
38 }
39 Ok(())
40 }
41}
42
43impl std::str::FromStr for Denomination {
44 type Err = Error;
45
46 fn from_str(v: &str) -> Result<Self, Self::Err> {
47 Self::try_from(v.as_bytes())
48 }
49}
50
51impl TryFrom<&[u8]> for Denomination {
52 type Error = Error;
53
54 fn try_from(bytes: &[u8]) -> Result<Self, Self::Error> {
55 if bytes.len() > Self::MAX_LENGTH {
56 return Err(Error::NameTooLong {
57 length: bytes.len(),
58 });
59 }
60 Ok(Self(bytes.to_vec()))
61 }
62}
63
64impl cbor::Decode for Denomination {
65 fn try_default() -> Result<Self, cbor::DecodeError> {
66 Ok(Default::default())
67 }
68
69 fn try_from_cbor_value(value: cbor::Value) -> Result<Self, cbor::DecodeError> {
70 match value {
71 cbor::Value::ByteString(data) => {
72 Self::try_from(data.as_ref()).map_err(|_| cbor::DecodeError::UnexpectedType)
73 }
74 _ => Err(cbor::DecodeError::UnexpectedType),
75 }
76 }
77}
78
79#[derive(Debug, thiserror::Error)]
80pub enum Error {
81 #[error(
82 "denomination name too long. received length {length} exceeded maximum of {}",
83 Denomination::MAX_LENGTH
84 )]
85 NameTooLong { length: usize },
86}
87
88#[derive(Clone, Debug, Default, PartialEq, Eq, PartialOrd, Ord, cbor::Encode, cbor::Decode)]
90pub struct BaseUnits(pub u128, pub Denomination);
91
92impl BaseUnits {
93 pub const fn new(amount: u128, denomination: Denomination) -> Self {
95 BaseUnits(amount, denomination)
96 }
97
98 pub fn amount(&self) -> u128 {
100 self.0
101 }
102
103 pub fn amount_mut(&mut self) -> &mut u128 {
105 &mut self.0
106 }
107
108 pub fn denomination(&self) -> &Denomination {
110 &self.1
111 }
112}
113
114impl fmt::Display for BaseUnits {
115 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
116 write!(f, "{} {}", self.0, self.1)?;
117 Ok(())
118 }
119}
120
121#[cfg(test)]
122mod test {
123 use super::*;
124
125 #[test]
126 fn test_basic() {
127 let cases = vec![
128 (0, Denomination::NATIVE, "824040"),
130 (1, Denomination::NATIVE, "82410140"),
131 (1000, Denomination::NATIVE, "824203e840"),
132 (0, "test".parse().unwrap(), "82404474657374"),
134 (1, "test".parse().unwrap(), "8241014474657374"),
135 (1000, "test".parse().unwrap(), "824203e84474657374"),
136 ];
137
138 for tc in cases {
139 let token = BaseUnits::new(tc.0, tc.1);
140 let enc = cbor::to_vec(token.clone());
141 assert_eq!(hex::encode(&enc), tc.2, "serialization should match");
142
143 let dec: BaseUnits = cbor::from_slice(&enc).expect("deserialization should succeed");
144 assert_eq!(dec, token, "serialization should round-trip");
145 }
146 }
147
148 #[test]
149 fn test_decoding_denomination() {
150 macro_rules! assert_rountrip_ok {
151 ($bytes:expr) => {
152 let enc = cbor::to_vec($bytes.to_vec());
153 let dec: Denomination = cbor::from_slice(&enc).unwrap();
154 assert_eq!(dec, Denomination::try_from($bytes).unwrap());
155 assert_eq!(dec.0, $bytes);
156 };
157 }
158
159 let bytes_fixture = vec![42u8; Denomination::MAX_LENGTH + 1];
160
161 assert_rountrip_ok!(&bytes_fixture[0..0]);
162 assert_rountrip_ok!(&bytes_fixture[0..1]);
163 assert_rountrip_ok!(&bytes_fixture[0..Denomination::MAX_LENGTH]);
164
165 let dec_result: Result<Denomination, _> = cbor::from_slice(&cbor::to_vec(bytes_fixture));
167 assert!(dec_result.is_err());
168 }
169}