1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
//! ZKsync-specific utilities related to ERC20 contracts.

use alloy::network::Ethereum;
use alloy::{
    contract::Error,
    dyn_abi::DynSolValue,
    primitives::{Bytes, U256},
};
use ERC20::ERC20Instance;

alloy::sol! {
    /// ABI for an ERC20 contract.
    #[sol(rpc)]
    contract ERC20 {
        function allowance(address owner, address spender) external view returns (uint256);
        function approve(address spender, uint256 value) external returns (bool);

        function name() public view virtual returns (string memory);
        function symbol() public view virtual returns (string memory);
        function decimals() public view virtual returns (uint8);
    }
}

/// Encodes the token data for bridging an ERC20 token.
///
/// This function retrieves the name, symbol, and decimals of the ERC20 token
/// and encodes them into a `Bytes` object for use in bridging operations.
///
/// # Arguments
///
/// * `erc20_contract` - An instance of the ERC20 contract.
///
/// # Returns
///
/// A `Result` containing the encoded token data as `Bytes` or an `Error`.
/// ```
pub(crate) async fn encode_token_data_for_bridge<P>(
    erc20_contract: &ERC20Instance<(), P>,
) -> Result<Bytes, Error>
where
    P: alloy::providers::Provider<Ethereum>,
{
    let erc20_name = erc20_contract.name().call().await?._0;
    let erc20_symbol = erc20_contract.symbol().call().await?._0;
    let erc20_decimals = erc20_contract.decimals().call().await?._0;

    let token_data = Bytes::from(
        DynSolValue::Tuple(vec![
            DynSolValue::Bytes(DynSolValue::String(erc20_name).abi_encode()),
            DynSolValue::Bytes(DynSolValue::String(erc20_symbol).abi_encode()),
            DynSolValue::Bytes(DynSolValue::Uint(U256::from(erc20_decimals), 256).abi_encode()),
        ])
        .abi_encode_params(),
    );

    Ok(token_data)
}