ic_web3_rs/types/
int.rs

1use core::fmt;
2
3use ethabi::Token;
4use ethereum_types::U256;
5use num_bigint::BigInt;
6
7use crate::contract::{tokens::Tokenizable, Error};
8
9pub struct I256(pub BigInt);
10
11impl Tokenizable for I256 {
12    fn from_token(token: Token) -> Result<Self, Error>
13    where
14        Self: Sized,
15    {
16        match token {
17            Token::Int(val) => {
18                let bigint = to_bigint_from_u256(val);
19                Ok(I256(bigint))
20            },
21            _ => Err(Error::InvalidOutputType("Expected int".to_owned())),
22        }
23    }
24    #[inline(always)]
25    fn into_token(self) -> Token {
26        unimplemented!()
27        // todo: ref https://github.com/horizonx-tech/ic-web3-rs/blob/4c01ebbe7fccdda733d170a65aa4c8bac5649c87/src/contract/tokens.rs#L243-L255
28    }
29}
30
31impl fmt::Display for I256 {
32    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
33        write!(f, "{}", self.0.to_string())
34    }
35}
36
37impl fmt::Debug for I256 {
38    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
39        write!(f, "I256({})", self.0)
40    }
41}
42
43fn to_bigint_from_u256(val: U256) -> BigInt {
44    let mut bytes = [0u8; 32];
45    val.to_big_endian(&mut bytes);
46    BigInt::from_signed_bytes_be(&bytes)
47}
48
49#[cfg(test)]
50mod tests {
51    use super::*;
52
53    #[test]
54    fn test_i256_display() {
55        let val = I256(BigInt::from(-123));
56        assert_eq!(val.to_string(), "-123");
57    }
58
59    #[test]
60    fn test_i256_debug() {
61        let val = I256(BigInt::from(-123));
62        assert_eq!(format!("{:?}", val), "I256(-123)");
63    }
64
65    #[test]
66    fn test_to_max_bigint_from_u256() {
67        let val = U256::MAX / U256::from("2"); // = max int128
68        let bigint = to_bigint_from_u256(val);
69        assert_eq!(
70            format!("{:?}", bigint),
71            "57896044618658097711785492504343953926634992332820282019728792003956564819967"
72        )
73    }
74
75    #[test]
76    fn test_to_min_bigint_from_u256() {
77        let val = U256::MAX / U256::from("2") + U256::one(); // = max int128 + 1 = min int128
78        let bigint = to_bigint_from_u256(val);
79        assert_eq!(
80            format!("{:?}", bigint),
81            "-57896044618658097711785492504343953926634992332820282019728792003956564819968"
82        )
83    }
84}