1use core::{
2 fmt::{self, Debug, Display},
3 str::FromStr,
4};
5
6use base64::{
7 Engine, engine::general_purpose::STANDARD_NO_PAD, engine::general_purpose::URL_SAFE_NO_PAD,
8};
9use crc::Crc;
10use digest::{Digest, Output};
11use strum::Display;
12use tlb::{
13 Context, Error, StringError,
14 bits::{
15 r#as::{NBits, VarBits},
16 bitvec::{order::Msb0, vec::BitVec},
17 de::{BitReader, BitReaderExt, BitUnpack},
18 ser::{BitPack, BitWriter, BitWriterExt},
19 },
20 ser::{CellBuilderError, CellSerialize, CellSerializeExt},
21};
22
23use crate::state_init::StateInit;
24
25const CRC_16_XMODEM: Crc<u16> = Crc::<u16>::new(&crc::CRC_16_XMODEM);
26
27#[cfg_attr(feature = "arbitrary", derive(arbitrary::Arbitrary))]
41#[cfg_attr(
42 feature = "schemars_1",
43 derive(::schemars_1::JsonSchema),
44 schemars(crate = "::schemars_1", with = "String")
45)]
46#[cfg_attr(
47 feature = "serde",
48 derive(::serde_with::SerializeDisplay, ::serde_with::DeserializeFromStr)
49)]
50#[derive(Clone, Copy, Default, PartialEq, Eq, PartialOrd, Ord, Hash)]
51pub struct MsgAddress {
52 #[cfg_attr(
53 feature = "arbitrary",
54 arbitrary(with = |u: &mut ::arbitrary::Unstructured| u.int_in_range(i8::MIN as i32..=i8::MAX as i32))
55 )]
56 pub workchain_id: i32,
57 pub address: [u8; 32],
58}
59
60impl MsgAddress {
61 pub const NULL: Self = Self {
62 workchain_id: 0,
63 address: [0; 32],
64 };
65
66 #[cfg(feature = "sha2")]
69 #[inline]
70 pub fn derive<C, D>(
71 workchain_id: i32,
72 state_init: StateInit<C, D>,
73 ) -> Result<Self, CellBuilderError>
74 where
75 C: CellSerialize,
76 D: CellSerialize,
77 {
78 Self::derive_digest::<C, D, sha2::Sha256>(workchain_id, state_init)
79 }
80
81 #[inline]
82 pub fn derive_digest<C, D, H>(
83 workchain_id: i32,
84 state_init: StateInit<C, D>,
85 ) -> Result<Self, CellBuilderError>
86 where
87 C: CellSerialize,
88 D: CellSerialize,
89 H: Digest,
90 Output<H>: Into<[u8; 32]>,
91 {
92 Ok(Self {
93 workchain_id,
94 address: state_init.to_cell()?.hash_digest::<H>(),
95 })
96 }
97
98 pub fn from_hex(s: impl AsRef<str>) -> Result<Self, StringError> {
99 let s = s.as_ref();
100 let (workchain, addr) = s
101 .split_once(':')
102 .ok_or_else(|| Error::custom("wrong format"))?;
103 let workchain_id = workchain.parse::<i32>().map_err(Error::custom)?;
104 let mut address = [0; 32];
105 hex::decode_to_slice(addr, &mut address).map_err(Error::custom)?;
106 Ok(Self {
107 workchain_id,
108 address,
109 })
110 }
111
112 #[inline]
115 pub fn to_hex(&self) -> String {
116 format!("{}:{}", self.workchain_id, hex::encode(self.address))
117 }
118
119 #[inline]
121 pub fn from_base64_url(s: impl AsRef<str>) -> Result<Self, StringError> {
122 Self::from_base64_url_flags(s).map(|(addr, _, _)| addr)
123 }
124
125 #[inline]
129 pub fn from_base64_url_flags(s: impl AsRef<str>) -> Result<(Self, bool, bool), StringError> {
130 Self::from_base64_repr(URL_SAFE_NO_PAD, s)
131 }
132
133 #[inline]
135 pub fn from_base64_std(s: impl AsRef<str>) -> Result<Self, StringError> {
136 Self::from_base64_std_flags(s).map(|(addr, _, _)| addr)
137 }
138
139 #[inline]
143 pub fn from_base64_std_flags(s: impl AsRef<str>) -> Result<(Self, bool, bool), StringError> {
144 Self::from_base64_repr(STANDARD_NO_PAD, s)
145 }
146
147 #[inline]
149 pub fn to_base64_url(self) -> String {
150 self.to_base64_url_flags(false, false)
151 }
152
153 #[inline]
155 pub fn to_base64_url_flags(self, non_bounceable: bool, non_production: bool) -> String {
156 self.to_base64_flags(non_bounceable, non_production, URL_SAFE_NO_PAD)
157 }
158
159 #[inline]
161 pub fn to_base64_std(self) -> String {
162 self.to_base64_std_flags(false, false)
163 }
164
165 #[inline]
167 pub fn to_base64_std_flags(self, non_bounceable: bool, non_production: bool) -> String {
168 self.to_base64_flags(non_bounceable, non_production, STANDARD_NO_PAD)
169 }
170
171 fn from_base64_repr(
176 engine: impl Engine,
177 s: impl AsRef<str>,
178 ) -> Result<(Self, bool, bool), StringError> {
179 let mut bytes = [0; 36];
180 if engine
181 .decode_slice(s.as_ref(), &mut bytes)
182 .map_err(Error::custom)
183 .context("base64")?
184 != bytes.len()
185 {
186 return Err(Error::custom("invalid length"));
187 };
188
189 let (non_production, non_bounceable) = match bytes[0] {
190 0x11 => (false, false),
191 0x51 => (false, true),
192 0x91 => (true, false),
193 0xD1 => (true, true),
194 flags => return Err(Error::custom(format!("unsupported flags: {flags:#x}"))),
195 };
196 let workchain_id = bytes[1] as i8 as i32;
197 let crc = ((bytes[34] as u16) << 8) | bytes[35] as u16;
198 if crc != CRC_16_XMODEM.checksum(&bytes[0..34]) {
199 return Err(Error::custom("CRC mismatch"));
200 }
201 let mut address = [0_u8; 32];
202 address.clone_from_slice(&bytes[2..34]);
203 Ok((
204 Self {
205 workchain_id,
206 address,
207 },
208 non_bounceable,
209 non_production,
210 ))
211 }
212
213 fn to_base64_flags(
214 self,
215 non_bounceable: bool,
216 non_production: bool,
217 engine: impl Engine,
218 ) -> String {
219 let mut bytes = [0; 36];
220 let tag: u8 = match (non_production, non_bounceable) {
221 (false, false) => 0x11,
222 (false, true) => 0x51,
223 (true, false) => 0x91,
224 (true, true) => 0xD1,
225 };
226 bytes[0] = tag;
227 bytes[1] = (self.workchain_id & 0xff) as u8;
228 bytes[2..34].clone_from_slice(&self.address);
229 let crc = CRC_16_XMODEM.checksum(&bytes[0..34]);
230 bytes[34] = ((crc >> 8) & 0xff) as u8;
231 bytes[35] = (crc & 0xff) as u8;
232 engine.encode(bytes)
233 }
234
235 #[inline]
237 pub fn is_null(&self) -> bool {
238 *self == Self::NULL
239 }
240}
241
242impl Debug for MsgAddress {
243 #[inline]
244 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
245 f.write_str(self.to_hex().as_str())
246 }
247}
248
249impl Display for MsgAddress {
250 #[inline]
251 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
252 f.write_str(self.to_base64_url().as_str())
253 }
254}
255
256impl FromStr for MsgAddress {
257 type Err = StringError;
258
259 fn from_str(s: &str) -> Result<Self, Self::Err> {
260 if s.len() == 48 {
261 if s.contains(['-', '_']) {
262 Self::from_base64_url(s)
263 } else {
264 Self::from_base64_std(s)
265 }
266 } else {
267 Self::from_hex(s)
268 }
269 }
270}
271
272impl BitPack for MsgAddress {
273 #[inline]
274 fn pack<W>(&self, mut writer: W) -> Result<(), W::Error>
275 where
276 W: BitWriter,
277 {
278 if self.is_null() {
279 writer.pack(MsgAddressTag::Null)?;
280 } else {
281 writer
282 .pack(MsgAddressTag::Std)?
283 .pack::<Option<Anycast>>(None)?
285 .pack(self.workchain_id as i8)?
287 .pack(self.address)?;
289 }
290 Ok(())
291 }
292}
293
294impl<'de> BitUnpack<'de> for MsgAddress {
295 #[inline]
296 fn unpack<R>(mut reader: R) -> Result<Self, R::Error>
297 where
298 R: BitReader<'de>,
299 {
300 match reader.unpack()? {
301 MsgAddressTag::Null => Ok(Self::NULL),
302 MsgAddressTag::Std => {
303 let _: Option<Anycast> = reader.unpack()?;
305 Ok(Self {
306 workchain_id: reader.unpack::<i8>()? as i32,
308 address: reader.unpack()?,
310 })
311 }
312 MsgAddressTag::Var => {
313 let _: Option<Anycast> = reader.unpack()?;
315 let addr_len: u16 = reader.unpack_as::<_, NBits<9>>()?;
317 if addr_len != 256 {
318 return Err(Error::custom(format!(
320 "only 256-bit addresses are supported for addr_var$11, got {addr_len} bits"
321 )));
322 }
323 Ok(Self {
324 workchain_id: reader.unpack()?,
326 address: reader.unpack()?,
328 })
329 }
330 tag => Err(Error::custom(format!("unsupported address tag: {tag}"))),
331 }
332 }
333}
334
335#[derive(Clone, Copy, Display)]
336#[repr(u8)]
337enum MsgAddressTag {
338 #[strum(serialize = "addr_none$00")]
339 Null,
340 #[strum(serialize = "addr_extern$01")]
341 Extern,
342 #[strum(serialize = "addr_std$10")]
343 Std,
344 #[strum(serialize = "addr_var$11")]
345 Var,
346}
347
348impl BitPack for MsgAddressTag {
349 #[inline]
350 fn pack<W>(&self, mut writer: W) -> Result<(), W::Error>
351 where
352 W: BitWriter,
353 {
354 writer.pack_as::<_, NBits<2>>(*self as u8)?;
355 Ok(())
356 }
357}
358
359impl<'de> BitUnpack<'de> for MsgAddressTag {
360 #[inline]
361 fn unpack<R>(mut reader: R) -> Result<Self, R::Error>
362 where
363 R: BitReader<'de>,
364 {
365 Ok(match reader.unpack_as::<u8, NBits<2>>()? {
366 0b00 => Self::Null,
367 0b01 => Self::Extern,
368 0b10 => Self::Std,
369 0b11 => Self::Var,
370 _ => unreachable!(),
371 })
372 }
373}
374
375pub struct Anycast {
379 pub rewrite_pfx: BitVec<u8, Msb0>,
380}
381
382impl BitPack for Anycast {
383 fn pack<W>(&self, mut writer: W) -> Result<(), W::Error>
384 where
385 W: BitWriter,
386 {
387 if self.rewrite_pfx.is_empty() {
388 return Err(Error::custom("depth >= 1"));
389 }
390 writer.pack_as::<_, VarBits<5>>(&self.rewrite_pfx)?;
391 Ok(())
392 }
393}
394
395impl<'de> BitUnpack<'de> for Anycast {
396 fn unpack<R>(mut reader: R) -> Result<Self, R::Error>
397 where
398 R: BitReader<'de>,
399 {
400 let rewrite_pfx: BitVec<u8, Msb0> = reader.unpack_as::<_, VarBits<5>>()?;
401 if rewrite_pfx.is_empty() {
402 return Err(Error::custom("depth >= 1"));
403 }
404 Ok(Self { rewrite_pfx })
405 }
406}
407
408#[cfg(feature = "schemars_0_8")]
409const _: () = {
411 use schemars_0_8::{JsonSchema, r#gen::SchemaGenerator, schema::Schema};
412
413 impl JsonSchema for MsgAddress {
414 fn schema_name() -> String {
415 String::schema_name()
416 }
417
418 fn json_schema(generator: &mut SchemaGenerator) -> Schema {
419 String::json_schema(generator)
420 }
421 }
422};
423
424#[cfg(test)]
425mod tests {
426 use super::*;
427
428 #[test]
429 fn parse_address() {
430 let _: MsgAddress = "EQBGXZ9ddZeWypx8EkJieHJX75ct0bpkmu0Y4YoYr3NM0Z9e"
431 .parse()
432 .unwrap();
433 }
434
435 #[cfg(feature = "serde")]
436 #[test]
437 fn serde() {
438 use serde_json::json;
439
440 let _: MsgAddress =
441 serde_json::from_value(json!("EQBGXZ9ddZeWypx8EkJieHJX75ct0bpkmu0Y4YoYr3NM0Z9e"))
442 .unwrap();
443 }
444}