Overview
POL Balance
0 POL
POL Value
$0.00More Info
Private Name Tags
ContractCreator
Loading...
Loading
Similar Match Source Code This contract matches the deployed Bytecode of the Source Code for Contract 0x33c1Bf37...0313bEEcb The constructor portion of the code might be different and could alter the actual behaviour of the contract
Contract Name:
PolygonAdapterPolygon
Compiler Version
v0.8.19+commit.7dd6d404
Optimization Enabled:
Yes with 200 runs
Other Settings:
paris EvmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BUSL-1.1 pragma solidity ^0.8.0; import {PolygonAdapterBase} from './PolygonAdapterBase.sol'; import {ChainIds} from '../../libs/ChainIds.sol'; contract PolygonAdapterPolygon is PolygonAdapterBase { constructor( address crossChainController, address fxTunnel, uint256 providerGasLimit, TrustedRemotesConfig[] memory trustedRemotes ) PolygonAdapterBase(crossChainController, fxTunnel, providerGasLimit, trustedRemotes) {} // Overrides to use Ethereum chain id, which is Polygon's origin function getOriginChainId() public pure override returns (uint256) { return ChainIds.ETHEREUM; } // Overrides to use Ethereum chain id, which is Polygon's destination function isDestinationChainIdSupported(uint256 chainId) public pure override returns (bool) { return chainId == ChainIds.ETHEREUM; } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity ^0.8.0; import {BaseAdapter, IBaseAdapter} from '../BaseAdapter.sol'; import {IPolygonAdapter} from './IPolygonAdapter.sol'; import {Errors} from '../../libs/Errors.sol'; import {ChainIds} from '../../libs/ChainIds.sol'; import {IFxMessageProcessor} from './interfaces/IFxMessageProcessor.sol'; import {IFxTunnel} from './tunnel/interfaces/IFxTunnel.sol'; /** * @title PolygonAdapter * @author BGD Labs * @notice Polygon bridge adapter. Used to send and receive messages cross chain between Ethereum and Polygon * @dev it uses the eth balance of CrossChainController contract to pay for message bridging as the method to bridge is called via delegate call */ abstract contract PolygonAdapterBase is IPolygonAdapter, IFxMessageProcessor, BaseAdapter { address public immutable override FX_TUNNEL; modifier onlyFxTunnel() { require(msg.sender == FX_TUNNEL, Errors.CALLER_NOT_FX_TUNNEL); _; } /** * @param crossChainController address of the cross chain controller that will use this bridge adapter * @param fxTunnel address of the fx tunnel that will be used to send/receive messages to the root/child chain * @param providerGasLimit base gas limit used by the bridge adapter * @param trustedRemotes list of remote configurations to set as trusted */ constructor( address crossChainController, address fxTunnel, uint256 providerGasLimit, TrustedRemotesConfig[] memory trustedRemotes ) BaseAdapter(crossChainController, providerGasLimit, 'Polygon native adapter', trustedRemotes) { FX_TUNNEL = fxTunnel; } /// @inheritdoc IBaseAdapter function forwardMessage( address receiver, uint256, uint256 destinationChainId, bytes calldata message ) external returns (address, uint256) { require( isDestinationChainIdSupported(destinationChainId), Errors.DESTINATION_CHAIN_ID_NOT_SUPPORTED ); require(receiver != address(0), Errors.RECEIVER_NOT_SET); IFxTunnel(FX_TUNNEL).sendMessage(receiver, message); return (FX_TUNNEL, 0); } function processMessage( address originalSender, bytes calldata message ) external override onlyFxTunnel { uint256 originChainId = getOriginChainId(); require( _trustedRemotes[originChainId] == originalSender && originalSender != address(0), Errors.REMOTE_NOT_TRUSTED ); _registerReceivedMessage(message, originChainId); } /// @inheritdoc IPolygonAdapter function getOriginChainId() public view virtual returns (uint256); /// @inheritdoc IPolygonAdapter function isDestinationChainIdSupported(uint256 chainId) public view virtual returns (bool); /// @inheritdoc IBaseAdapter function nativeToInfraChainId(uint256 nativeChainId) public pure override returns (uint256) { return nativeChainId; } /// @inheritdoc IBaseAdapter function infraToNativeChainId(uint256 infraChainId) public pure override returns (uint256) { return infraChainId; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; library ChainIds { uint256 constant ETHEREUM = 1; uint256 constant POLYGON = 137; uint256 constant AVALANCHE = 43114; uint256 constant ARBITRUM = 42161; uint256 constant OPTIMISM = 10; uint256 constant FANTOM = 250; uint256 constant HARMONY = 1666600000; uint256 constant METIS = 1088; uint256 constant BNB = 56; uint256 constant BASE = 8453; uint256 constant POLYGON_ZK_EVM = 1101; uint256 constant GNOSIS = 100; uint256 constant SCROLL = 534352; uint256 constant CELO = 42220; }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity ^0.8.8; import {IBaseAdapter, IBaseCrossChainController} from './IBaseAdapter.sol'; import {Errors} from '../libs/Errors.sol'; /** * @title BaseAdapter * @author BGD Labs * @notice base contract implementing the method to route a bridged message to the CrossChainController contract. * @dev All bridge adapters must implement this contract */ abstract contract BaseAdapter is IBaseAdapter { /// @inheritdoc IBaseAdapter IBaseCrossChainController public immutable CROSS_CHAIN_CONTROLLER; /// @inheritdoc IBaseAdapter uint256 public immutable BASE_GAS_LIMIT; // @dev this is the original address of the contract. Required to identify and prevent delegate calls. address private immutable _selfAddress; // (standard chain id -> origin forwarder address) saves for every chain the address that can forward messages to this adapter mapping(uint256 => address) internal _trustedRemotes; /// @inheritdoc IBaseAdapter string public adapterName; /** * @param crossChainController address of the CrossChainController the bridged messages will be routed to * @param providerGasLimit base gas limit used by the bridge adapter * @param name name of the bridge adapter contract * @param originConfigs pair of origin address and chain id that adapter is allowed to get messages from */ constructor( address crossChainController, uint256 providerGasLimit, string memory name, TrustedRemotesConfig[] memory originConfigs ) { require(crossChainController != address(0), Errors.INVALID_BASE_ADAPTER_CROSS_CHAIN_CONTROLLER); CROSS_CHAIN_CONTROLLER = IBaseCrossChainController(crossChainController); BASE_GAS_LIMIT = providerGasLimit; adapterName = name; _selfAddress = address(this); for (uint256 i = 0; i < originConfigs.length; i++) { TrustedRemotesConfig memory originConfig = originConfigs[i]; require(originConfig.originForwarder != address(0), Errors.INVALID_TRUSTED_REMOTE); _trustedRemotes[originConfig.originChainId] = originConfig.originForwarder; emit SetTrustedRemote(originConfig.originChainId, originConfig.originForwarder); } } /// @inheritdoc IBaseAdapter function nativeToInfraChainId(uint256 nativeChainId) public view virtual returns (uint256); /// @inheritdoc IBaseAdapter function infraToNativeChainId(uint256 infraChainId) public view virtual returns (uint256); /// @inheritdoc IBaseAdapter function setupPayments() external virtual {} /// @inheritdoc IBaseAdapter function getTrustedRemoteByChainId(uint256 chainId) external view returns (address) { return _trustedRemotes[chainId]; } /** * @notice calls CrossChainController to register the bridged payload * @param _payload bytes containing the bridged message * @param originChainId id of the chain where the message originated */ function _registerReceivedMessage(bytes calldata _payload, uint256 originChainId) internal { // this method should be always called via call require(address(this) == _selfAddress, Errors.DELEGATE_CALL_FORBIDDEN); CROSS_CHAIN_CONTROLLER.receiveCrossChainMessage(_payload, originChainId); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; /** * @title IPolygonAdapter * @author BGD Labs * @notice interface containing the events, objects and method definitions used in the Polygon bridge adapter */ interface IPolygonAdapter { /** * @notice method to get the FxTunnel contract used by the adapter. */ function FX_TUNNEL() external view returns (address); /** * @notice method to know if a destination chain is supported * @return flag indicating if the destination chain is supported */ function isDestinationChainIdSupported(uint256 chainId) external view returns (bool); /** * @notice method to get the origin chain id * @return id of the chain where the messages originate. * @dev this method is needed as Polygon does not pass the origin chain */ function getOriginChainId() external view returns (uint256); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; /** * @title Errors library * @author BGD Labs * @notice Defines the error messages emitted by the different contracts of the Aave CrossChain Infrastructure */ library Errors { string public constant ETH_TRANSFER_FAILED = '1'; // failed to transfer eth to destination string public constant CALLER_IS_NOT_APPROVED_SENDER = '2'; // caller must be an approved message sender string public constant ENVELOPE_NOT_PREVIOUSLY_REGISTERED = '3'; // envelope can only be retried if it has been previously registered string public constant CURRENT_OR_DESTINATION_CHAIN_ADAPTER_NOT_SET = '4'; // can not enable bridge adapter if the current or destination chain adapter is 0 address string public constant CALLER_NOT_APPROVED_BRIDGE = '5'; // caller must be an approved bridge string public constant INVALID_VALIDITY_TIMESTAMP = '6'; // new validity timestamp is not correct (< last validity or in the future string public constant CALLER_NOT_CCIP_ROUTER = '7'; // caller must be bridge provider contract string public constant CCIP_ROUTER_CANT_BE_ADDRESS_0 = '8'; // CCIP bridge adapters needs a CCIP Router string public constant RECEIVER_NOT_SET = '9'; // receiver address on destination chain can not be 0 string public constant DESTINATION_CHAIN_ID_NOT_SUPPORTED = '10'; // destination chain id must be supported by bridge provider string public constant NOT_ENOUGH_VALUE_TO_PAY_BRIDGE_FEES = '11'; // cross chain controller does not have enough funds to forward the message string public constant REMOTE_NOT_TRUSTED = '12'; // remote address has not been registered as a trusted origin string public constant CALLER_NOT_HL_MAILBOX = '13'; // caller must be the HyperLane Mailbox contract string public constant NO_BRIDGE_ADAPTERS_FOR_SPECIFIED_CHAIN = '14'; // no bridge adapters are configured for the specified destination chain string public constant ONLY_ONE_EMERGENCY_UPDATE_PER_CHAIN = '15'; // only one emergency update is allowed at the time string public constant INVALID_REQUIRED_CONFIRMATIONS = '16'; // required confirmations must be less or equal than allowed adapters or bigger or equal than 1 string public constant DESTINATION_CHAIN_NOT_SAME_AS_CURRENT_CHAIN = '17'; // destination chain must be the same chain as the current chain where contract is deployed string public constant INVALID_BRIDGE_ADAPTER = '18'; // a bridge adapter address can not be the 0 address string public constant TRANSACTION_NOT_PREVIOUSLY_FORWARDED = '19'; // to retry sending a transaction, it needs to have been previously sent string public constant TRANSACTION_RETRY_FAILED = '20'; // transaction retry has failed (no bridge adapters where able to send) string public constant BRIDGE_ADAPTERS_SHOULD_BE_UNIQUE = '21'; // can not use the same bridge adapter twice string public constant ENVELOPE_NOT_CONFIRMED_OR_DELIVERED = '22'; // to deliver an envelope, this should have been previously confirmed string public constant INVALID_BASE_ADAPTER_CROSS_CHAIN_CONTROLLER = '23'; // crossChainController address can not be 0 string public constant DELEGATE_CALL_FORBIDDEN = '24'; // calling this function during delegatecall is forbidden string public constant CALLER_NOT_LZ_ENDPOINT = '25'; // caller must be the LayerZero endpoint contract string public constant INVALID_LZ_ENDPOINT = '26'; // LayerZero endpoint can't be 0 string public constant INVALID_TRUSTED_REMOTE = '27'; // trusted remote endpoint can't be 0 string public constant INVALID_EMERGENCY_ORACLE = '28'; // emergency oracle can not be 0 because if not, system could not be rescued on emergency string public constant NOT_IN_EMERGENCY = '29'; // execution can only happen when in an emergency string public constant LINK_TOKEN_CANT_BE_ADDRESS_0 = '30'; // link token address should be set string public constant CCIP_MESSAGE_IS_INVALID = '31'; // ccip message is not an accepted message string public constant ADAPTER_PAYMENT_SETUP_FAILED = '32'; // adapter payment setup failed string public constant CHAIN_ID_MISMATCH = '33'; // the message delivered to/from wrong network string public constant CALLER_NOT_OVM = '34'; // the caller must be the optimism ovm contract string public constant CALLER_NOT_FX_TUNNEL = '35'; // the caller must be the fx tunnel contract string public constant INVALID_SENDER = '36'; // sender can not be address 0 string public constant CALLER_NOT_GNOSIS_ARBITRARY_MESSAGE_BRIDGE = '37'; // the caller must be the Gnosis AMB contract string public constant ZERO_GNOSIS_ARBITRARY_MESSAGE_BRIDGE = '38'; // The passed Gnosis AMB contract is zero string public constant CALLER_NOT_ZK_EVM_BRIDGE = '39'; // the caller must be the zk evm bridge string public constant INVALID_HL_MAILBOX = '40'; // the Hyperlane mailbox address can not be 0 string public constant WORMHOLE_RELAYER_CANT_BE_ADDRESS_0 = '41'; // Wormhole relayer can not be address 0 string public constant CALLER_NOT_WORMHOLE_RELAYER = '42'; // caller must be the Wormhole relayer }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; /** * @title IFxMessageProcessor * @author BGD Labs * @notice Interface for message processors receiving messages from FxTunnel implementations. */ interface IFxMessageProcessor { /** * @notice Processes a message received from an FxTunnel implementation. * @param originSender The original sender on the origin chain, note that this is the caller of the * FxTunnel on the origin chain, not the origin FxTunnel itself. * @param message The message received. */ function processMessage(address originSender, bytes calldata message) external; }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; /** * @title IFxTunnel * @author BGD Labs * @notice Interface for the FxTunnel two-way messaging contracts. */ interface IFxTunnel { /** * @notice Sends a message to the receiver via the connected root or child tunnel. * * @param receiver The receiver address on the paired chain. * @param message The raw message to send to the receiver on the paired chain. */ function sendMessage(address receiver, bytes memory message) external; }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; import {IBaseCrossChainController} from '../interfaces/IBaseCrossChainController.sol'; /** * @title IBaseAdapter * @author BGD Labs * @notice interface containing the event and method used in all bridge adapters */ interface IBaseAdapter { /** * @notice emitted when a trusted remote is set * @param originChainId id of the chain where the trusted remote is from * @param originForwarder address of the contract that will send the messages */ event SetTrustedRemote(uint256 originChainId, address originForwarder); /** * @notice pair of origin address and origin chain * @param originForwarder address of the contract that will send the messages * @param originChainId id of the chain where the trusted remote is from */ struct TrustedRemotesConfig { address originForwarder; uint256 originChainId; } /** * @notice method that will bridge the payload to the chain specified * @param receiver address of the receiver contract on destination chain * @param executionGasLimit amount of the gas limit in wei to use for delivering the message on destination network. Each adapter will manage this as needed. * @param destinationChainId id of the destination chain in the bridge notation * @param message to send to the specified chain * @return the third-party bridge entrypoint, the third-party bridge message id */ function forwardMessage( address receiver, uint256 executionGasLimit, uint256 destinationChainId, bytes calldata message ) external returns (address, uint256); /** * @notice method to get the address of the linked cross chain controller * @return address of CrossChainController */ function CROSS_CHAIN_CONTROLLER() external returns (IBaseCrossChainController); /** * @notice method to get the name of the adapter contract * @return name of the adapter contract */ function adapterName() external view returns (string memory); /** * @notice method to get the base gas limit used by the bridge adapter */ function BASE_GAS_LIMIT() external returns (uint256); /** * @notice method used to setup payment, ie grant approvals over tokens used to pay for tx fees */ function setupPayments() external; /** * @notice method to get the trusted remote address from a specified chain id * @param chainId id of the chain from where to get the trusted remote * @return address of the trusted remote */ function getTrustedRemoteByChainId(uint256 chainId) external view returns (address); /** * @notice method to get infrastructure chain id from bridge native chain id * @param bridgeChainId bridge native chain id */ function nativeToInfraChainId(uint256 bridgeChainId) external returns (uint256); /** * @notice method to get bridge native chain id from native bridge chain id * @param infraChainId infrastructure chain id */ function infraToNativeChainId(uint256 infraChainId) external returns (uint256); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; import './ICrossChainForwarder.sol'; import './ICrossChainReceiver.sol'; import {IRescuable} from 'solidity-utils/contracts/utils/interfaces/IRescuable.sol'; /** * @title IBaseCrossChainController * @author BGD Labs * @notice interface containing the objects, events and methods definitions of the CrossChainController contract */ interface IBaseCrossChainController is IRescuable, ICrossChainForwarder, ICrossChainReceiver { }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.8; import {Transaction, Envelope} from '../libs/EncodingUtils.sol'; /** * @title ICrossChainForwarder * @author BGD Labs * @notice interface containing the objects, events and methods definitions of the CrossChainForwarder contract */ interface ICrossChainForwarder { /** * @notice object storing the connected pair of bridge adapters, on current and destination chain * @param destinationBridgeAdapter address of the bridge adapter on the destination chain * @param currentChainBridgeAdapter address of the bridge adapter deployed on current network */ struct ChainIdBridgeConfig { address destinationBridgeAdapter; address currentChainBridgeAdapter; } /** * @notice object with the necessary information to remove bridge adapters * @param bridgeAdapter address of the bridge adapter to remove * @param chainIds array of chain ids where the bridge adapter connects */ struct BridgeAdapterToDisable { address bridgeAdapter; uint256[] chainIds; } /** * @notice object storing the pair bridgeAdapter (current deployed chain) destination chain bridge adapter configuration * @param currentChainBridgeAdapter address of the bridge adapter deployed on current chain * @param destinationBridgeAdapter address of the bridge adapter on the destination chain * @param destinationChainId id of the destination chain using our own nomenclature */ struct ForwarderBridgeAdapterConfigInput { address currentChainBridgeAdapter; address destinationBridgeAdapter; uint256 destinationChainId; } /** * @notice emitted when a transaction is successfully forwarded through a bridge adapter * @param envelopeId internal id of the envelope * @param envelope the Envelope type data */ event EnvelopeRegistered(bytes32 indexed envelopeId, Envelope envelope); /** * @notice emitted when a transaction forwarding is attempted through a bridge adapter * @param transactionId id of the forwarded transaction * @param envelopeId internal id of the envelope * @param encodedTransaction object intended to be bridged * @param destinationChainId id of the destination chain in our notation * @param bridgeAdapter address of the bridge adapter that failed (deployed on current network) * @param destinationBridgeAdapter address of the connected bridge adapter on destination chain * @param adapterSuccessful adapter was able to forward the message * @param returnData bytes with error information */ event TransactionForwardingAttempted( bytes32 transactionId, bytes32 indexed envelopeId, bytes encodedTransaction, uint256 destinationChainId, address indexed bridgeAdapter, address destinationBridgeAdapter, bool indexed adapterSuccessful, bytes returnData ); /** * @notice emitted when a bridge adapter has been added to the allowed list * @param destinationChainId id of the destination chain in our notation * @param bridgeAdapter address of the bridge adapter added (deployed on current network) * @param destinationBridgeAdapter address of the connected bridge adapter on destination chain * @param allowed boolean indicating if the bridge adapter is allowed or disallowed */ event BridgeAdapterUpdated( uint256 indexed destinationChainId, address indexed bridgeAdapter, address destinationBridgeAdapter, bool indexed allowed ); /** * @notice emitted when a sender has been updated * @param sender address of the updated sender * @param isApproved boolean that indicates if the sender has been approved or removed */ event SenderUpdated(address indexed sender, bool indexed isApproved); /** * @notice method to get the current valid envelope nonce * @return the current valid envelope nonce */ function getCurrentEnvelopeNonce() external view returns (uint256); /** * @notice method to get the current valid transaction nonce * @return the current valid transaction nonce */ function getCurrentTransactionNonce() external view returns (uint256); /** * @notice method to check if a envelope has been previously forwarded. * @param envelope the Envelope type data * @return boolean indicating if the envelope has been registered */ function isEnvelopeRegistered(Envelope memory envelope) external view returns (bool); /** * @notice method to check if a envelope has been previously forwarded. * @param envelopeId the hashed id of the envelope * @return boolean indicating if the envelope has been registered */ function isEnvelopeRegistered(bytes32 envelopeId) external view returns (bool); /** * @notice method to get if a transaction has been forwarded * @param transaction the Transaction type data * @return flag indicating if a transaction has been forwarded */ function isTransactionForwarded(Transaction memory transaction) external view returns (bool); /** * @notice method to get if a transaction has been forwarded * @param transactionId hashed id of the transaction * @return flag indicating if a transaction has been forwarded */ function isTransactionForwarded(bytes32 transactionId) external view returns (bool); /** * @notice method called to initiate message forwarding to other networks. * @param destinationChainId id of the destination chain where the message needs to be bridged * @param destination address where the message is intended for * @param gasLimit gas cost on receiving side of the message * @param message bytes that need to be bridged * @return internal id of the envelope and transaction */ function forwardMessage( uint256 destinationChainId, address destination, uint256 gasLimit, bytes memory message ) external returns (bytes32, bytes32); /** * @notice method called to re forward a previously sent envelope. * @param envelope the Envelope type data * @param gasLimit gas cost on receiving side of the message * @return the transaction id that has the retried envelope * @dev This method will send an existing Envelope using a new Transaction. * @dev This method should be used when the intention is to send the Envelope as if it was a new message. This way on the Receiver side it will start from 0 to count for the required confirmations. (usual use case would be for when an envelope has been invalidated on Receiver side, and needs to be retried as a new message) */ function retryEnvelope(Envelope memory envelope, uint256 gasLimit) external returns (bytes32); /** * @notice method to retry forwarding an already forwarded transaction * @param encodedTransaction the encoded Transaction data * @param gasLimit limit of gas to spend on forwarding per bridge * @param bridgeAdaptersToRetry list of bridge adapters to be used for the transaction forwarding retry * @dev This method will send an existing Transaction with its Envelope to the specified adapters. * @dev Should be used when some of the bridges on the initial forwarding did not work (out of gas), and we want the Transaction with Envelope to still account for the required confirmations on the Receiver side */ function retryTransaction( bytes memory encodedTransaction, uint256 gasLimit, address[] memory bridgeAdaptersToRetry ) external; /** * @notice method to enable bridge adapters * @param bridgeAdapters array of new bridge adapter configurations */ function enableBridgeAdapters(ForwarderBridgeAdapterConfigInput[] memory bridgeAdapters) external; /** * @notice method to disable bridge adapters * @param bridgeAdapters array of bridge adapter addresses to disable */ function disableBridgeAdapters(BridgeAdapterToDisable[] memory bridgeAdapters) external; /** * @notice method to remove sender addresses * @param senders list of addresses to remove */ function removeSenders(address[] memory senders) external; /** * @notice method to approve new sender addresses * @param senders list of addresses to approve */ function approveSenders(address[] memory senders) external; /** * @notice method to get all the forwarder bridge adapters of a chain * @param chainId id of the chain we want to get the adapters from * @return an array of chain configurations where the bridge adapter can communicate */ function getForwarderBridgeAdaptersByChain( uint256 chainId ) external view returns (ChainIdBridgeConfig[] memory); /** * @notice method to get if a sender is approved * @param sender address that we want to check if approved * @return boolean indicating if the address has been approved as sender */ function isSenderApproved(address sender) external view returns (bool); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.8; import {EnumerableSet} from 'openzeppelin-contracts/contracts/utils/structs/EnumerableSet.sol'; import {Transaction, Envelope} from '../libs/EncodingUtils.sol'; /** * @title ICrossChainReceiver * @author BGD Labs * @notice interface containing the objects, events and methods definitions of the CrossChainReceiver contract */ interface ICrossChainReceiver { /** * @notice object with information to set new required confirmations * @param chainId id of the origin chain * @param requiredConfirmations required confirmations to set a message as confirmed */ struct ConfirmationInput { uint256 chainId; uint8 requiredConfirmations; } /** * @notice object with information to set new validity timestamp * @param chainId id of the origin chain * @param validityTimestamp new timestamp in seconds to set as validity point */ struct ValidityTimestampInput { uint256 chainId; uint120 validityTimestamp; } /** * @notice object with necessary information to configure bridge adapters * @param bridgeAdapter address of the bridge adapter to configure * @param chainIds array of ids of the chains the adapter receives messages from */ struct ReceiverBridgeAdapterConfigInput { address bridgeAdapter; uint256[] chainIds; } /** * @notice object containing the receiver configuration * @param requiredConfirmation number of bridges that are needed to make a bridged message valid from origin chain * @param validityTimestamp all messages originated but not finally confirmed before this timestamp per origin chain, are invalid */ struct ReceiverConfiguration { uint8 requiredConfirmation; uint120 validityTimestamp; } /** * @notice object with full information of the receiver configuration for a chain * @param configuration object containing the specifications of the receiver for a chain * @param allowedBridgeAdapters stores if a bridge adapter is allowed for a chain */ struct ReceiverConfigurationFull { ReceiverConfiguration configuration; EnumerableSet.AddressSet allowedBridgeAdapters; } /** * @notice object that stores the internal information of the transaction * @param confirmations number of times that this transaction has been bridged * @param firstBridgedAt timestamp in seconds indicating the first time a transaction was received */ struct TransactionStateWithoutAdapters { uint8 confirmations; uint120 firstBridgedAt; } /** * @notice object that stores the internal information of the transaction with bridge adapters state * @param confirmations number of times that this transactions has been bridged * @param firstBridgedAt timestamp in seconds indicating the first time a transaction was received * @param bridgedByAdapter list of bridge adapters that have bridged the message */ struct TransactionState { uint8 confirmations; uint120 firstBridgedAt; mapping(address => bool) bridgedByAdapter; } /** * @notice object with the current state of an envelope * @param confirmed boolean indicating if the bridged message has been confirmed by the infrastructure * @param delivered boolean indicating if the bridged message has been delivered to the destination */ enum EnvelopeState { None, Confirmed, Delivered } /** * @notice emitted when a transaction has been received successfully * @param transactionId id of the transaction * @param envelopeId id of the envelope * @param originChainId id of the chain where the envelope originated * @param transaction the Transaction type data * @param bridgeAdapter address of the bridge adapter who received the message (deployed on current network) * @param confirmations number of current confirmations for this message */ event TransactionReceived( bytes32 transactionId, bytes32 indexed envelopeId, uint256 indexed originChainId, Transaction transaction, address indexed bridgeAdapter, uint8 confirmations ); /** * @notice emitted when an envelope has been delivery attempted * @param envelopeId id of the envelope * @param envelope the Envelope type data * @param isDelivered flag indicating if the message has been delivered successfully */ event EnvelopeDeliveryAttempted(bytes32 envelopeId, Envelope envelope, bool isDelivered); /** * @notice emitted when a bridge adapter gets updated (allowed or disallowed) * @param bridgeAdapter address of the updated bridge adapter * @param allowed boolean indicating if the bridge adapter has been allowed or disallowed * @param chainId id of the chain updated */ event ReceiverBridgeAdaptersUpdated( address indexed bridgeAdapter, bool indexed allowed, uint256 indexed chainId ); /** * @notice emitted when number of confirmations needed to validate a message changes * @param newConfirmations number of new confirmations needed for a message to be valid * @param chainId id of the chain updated */ event ConfirmationsUpdated(uint8 newConfirmations, uint256 indexed chainId); /** * @notice emitted when a new timestamp for invalidations gets set * @param invalidTimestamp timestamp to invalidate previous messages * @param chainId id of the chain updated */ event NewInvalidation(uint256 invalidTimestamp, uint256 indexed chainId); /** * @notice method to get the current allowed receiver bridge adapters for a chain * @param chainId id of the chain to get the allowed bridge adapter list * @return the list of allowed bridge adapters */ function getReceiverBridgeAdaptersByChain( uint256 chainId ) external view returns (address[] memory); /** * @notice method to get the current supported chains (at least one allowed bridge adapter) * @return list of supported chains */ function getSupportedChains() external view returns (uint256[] memory); /** * @notice method to get the current configuration of a chain * @param chainId id of the chain to get the configuration from * @return the specified chain configuration object */ function getConfigurationByChain( uint256 chainId ) external view returns (ReceiverConfiguration memory); /** * @notice method to get if a bridge adapter is allowed * @param bridgeAdapter address of the bridge adapter to check * @param chainId id of the chain to check * @return boolean indicating if bridge adapter is allowed */ function isReceiverBridgeAdapterAllowed( address bridgeAdapter, uint256 chainId ) external view returns (bool); /** * @notice method to get the current state of a transaction * @param transactionId the id of transaction * @return number of confirmations of internal message identified by the transactionId and the updated timestamp */ function getTransactionState( bytes32 transactionId ) external view returns (TransactionStateWithoutAdapters memory); /** * @notice method to get the internal transaction information * @param transaction Transaction type data * @return number of confirmations of internal message identified by internalId and the updated timestamp */ function getTransactionState( Transaction memory transaction ) external view returns (TransactionStateWithoutAdapters memory); /** * @notice method to get the internal state of an envelope * @param envelope the Envelope type data * @return the envelope current state, containing if it has been confirmed and delivered */ function getEnvelopeState(Envelope memory envelope) external view returns (EnvelopeState); /** * @notice method to get the internal state of an envelope * @param envelopeId id of the envelope * @return the envelope current state, containing if it has been confirmed and delivered */ function getEnvelopeState(bytes32 envelopeId) external view returns (EnvelopeState); /** * @notice method to get if transaction has been received by bridge adapter * @param transactionId id of the transaction as stored internally * @param bridgeAdapter address of the bridge adapter to check if it has bridged the message * @return boolean indicating if the message has been received */ function isTransactionReceivedByAdapter( bytes32 transactionId, address bridgeAdapter ) external view returns (bool); /** * @notice method to set a new timestamp from where the messages will be valid. * @param newValidityTimestamp array of objects containing the chain and timestamp where all the previous unconfirmed messages must be invalidated. */ function updateMessagesValidityTimestamp( ValidityTimestampInput[] memory newValidityTimestamp ) external; /** * @notice method to update the number of confirmations necessary for the messages to be accepted as valid * @param newConfirmations array of objects with the chainId and the new number of needed confirmations */ function updateConfirmations(ConfirmationInput[] memory newConfirmations) external; /** * @notice method that receives a bridged transaction and tries to deliver the contents to destination if possible * @param encodedTransaction bytes containing the bridged information * @param originChainId id of the chain where the transaction originated */ function receiveCrossChainMessage( bytes memory encodedTransaction, uint256 originChainId ) external; /** * @notice method to deliver an envelope to its destination * @param envelope the Envelope typed data * @dev to deliver an envelope, it needs to have been previously confirmed and not delivered */ function deliverEnvelope(Envelope memory envelope) external; /** * @notice method to add bridge adapters to the allowed list * @param bridgeAdaptersInput array of objects with the new bridge adapters and supported chains */ function allowReceiverBridgeAdapters( ReceiverBridgeAdapterConfigInput[] memory bridgeAdaptersInput ) external; /** * @notice method to remove bridge adapters from the allowed list * @param bridgeAdaptersInput array of objects with the bridge adapters and supported chains to disallow */ function disallowReceiverBridgeAdapters( ReceiverBridgeAdapterConfigInput[] memory bridgeAdaptersInput ) external; }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.8; /** * @title IRescuable * @author BGD Labs * @notice interface containing the objects, events and methods definitions of the Rescuable contract */ interface IRescuable { /** * @notice emitted when erc20 tokens get rescued * @param caller address that triggers the rescue * @param token address of the rescued token * @param to address that will receive the rescued tokens * @param amount quantity of tokens rescued */ event ERC20Rescued( address indexed caller, address indexed token, address indexed to, uint256 amount ); /** * @notice emitted when native tokens get rescued * @param caller address that triggers the rescue * @param to address that will receive the rescued tokens * @param amount quantity of tokens rescued */ event NativeTokensRescued(address indexed caller, address indexed to, uint256 amount); /** * @notice method called to rescue tokens sent erroneously to the contract. Only callable by owner * @param erc20Token address of the token to rescue * @param to address to send the tokens * @param amount of tokens to rescue */ function emergencyTokenTransfer(address erc20Token, address to, uint256 amount) external; /** * @notice method called to rescue ether sent erroneously to the contract. Only callable by owner * @param to address to send the eth * @param amount of eth to rescue */ function emergencyEtherTransfer(address to, uint256 amount) external; /** * @notice method that defines the address that is allowed to rescue tokens * @return the allowed address */ function whoCanRescue() external view returns (address); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; using EnvelopeUtils for Envelope global; using TransactionUtils for Transaction global; /** * @notice Object with the necessary information to define a unique envelope * @param nonce sequential (unique) numeric indicator of the Envelope creation * @param origin address that originated the bridging of a message * @param destination address where the message needs to be sent * @param originChainId id of the chain where the message originated * @param destinationChainId id of the chain where the message needs to be bridged * @param message bytes that needs to be bridged */ struct Envelope { uint256 nonce; address origin; address destination; uint256 originChainId; uint256 destinationChainId; bytes message; } /** * @notice Object containing the information of an envelope for internal usage * @param data bytes of the encoded envelope * @param id hash of the encoded envelope */ struct EncodedEnvelope { bytes data; bytes32 id; } /** * @title EnvelopeUtils library * @author BGD Labs * @notice Defines utility functions for Envelopes */ library EnvelopeUtils { /** * @notice method that encodes an Envelope and generates its id * @param envelope object with the routing information necessary to send a message to a destination chain * @return object containing the encoded envelope and the envelope id */ function encode(Envelope memory envelope) internal pure returns (EncodedEnvelope memory) { EncodedEnvelope memory encodedEnvelope; encodedEnvelope.data = abi.encode(envelope); encodedEnvelope.id = getId(encodedEnvelope.data); return encodedEnvelope; } /** * @notice method to decode and encoded envelope to its raw parameters * @param envelope bytes with the encoded envelope data * @return object with the decoded envelope information */ function decode(bytes memory envelope) internal pure returns (Envelope memory) { return abi.decode(envelope, (Envelope)); } /** * @notice method to get an envelope's id * @param envelope object with the routing information necessary to send a message to a destination chain * @return hash id of the envelope */ function getId(Envelope memory envelope) internal pure returns (bytes32) { EncodedEnvelope memory encodedEnvelope = encode(envelope); return encodedEnvelope.id; } /** * @notice method to get an envelope's id * @param envelope bytes with the encoded envelope data * @return hash id of the envelope */ function getId(bytes memory envelope) internal pure returns (bytes32) { return keccak256(envelope); } } /** * @notice Object with the necessary information to send an envelope to a bridge * @param nonce sequential (unique) numeric indicator of the Transaction creation * @param encodedEnvelope bytes of an encoded envelope object */ struct Transaction { uint256 nonce; bytes encodedEnvelope; } /** * @notice Object containing the information of a transaction for internal usage * @param data bytes of the encoded transaction * @param id hash of the encoded transaction */ struct EncodedTransaction { bytes data; bytes32 id; } /** * @title TransactionUtils library * @author BGD Labs * @notice Defines utility functions for Transactions */ library TransactionUtils { /** * @notice method that encodes a Transaction and generates its id * @param transaction object with the information necessary to send an envelope to a bridge * @return object containing the encoded transaction and the transaction id */ function encode( Transaction memory transaction ) internal pure returns (EncodedTransaction memory) { EncodedTransaction memory encodedTransaction; encodedTransaction.data = abi.encode(transaction); encodedTransaction.id = getId(encodedTransaction.data); return encodedTransaction; } /** * @notice method that decodes an encoded transaction (bytes) into a Transaction object * @param transaction encoded transaction object * @return object containing the decoded Transaction object */ function decode(bytes memory transaction) internal pure returns (Transaction memory) { return abi.decode(transaction, (Transaction)); } /** * @notice method to get a transaction id * @param transaction object with the information necessary to send an envelope to a bridge * @return hash id of the transaction */ function getId(Transaction memory transaction) internal pure returns (bytes32) { EncodedTransaction memory encodedTransaction = encode(transaction); return encodedTransaction.id; } /** * @notice method to get a transaction id * @param transaction encoded transaction object * @return hash id of the transaction */ function getId(bytes memory transaction) internal pure returns (bytes32) { return keccak256(transaction); } /** * @notice method to get the envelope information from the transaction object * @param transaction object with the information necessary to send an envelope to a bridge * @return object with decoded information of the envelope in the transaction */ function getEnvelope(Transaction memory transaction) internal pure returns (Envelope memory) { return EnvelopeUtils.decode(transaction.encodedEnvelope); } /** * @notice method to get the envelope id from the transaction object * @param transaction object with the information necessary to send an envelope to a bridge * @return hash id of the envelope on a transaction */ function getEnvelopeId(Transaction memory transaction) internal pure returns (bytes32) { return EnvelopeUtils.getId(transaction.encodedEnvelope); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (utils/structs/EnumerableSet.sol) // This file was procedurally generated from scripts/generate/templates/EnumerableSet.js. pragma solidity ^0.8.0; /** * @dev Library for managing * https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive * types. * * Sets have the following properties: * * - Elements are added, removed, and checked for existence in constant time * (O(1)). * - Elements are enumerated in O(n). No guarantees are made on the ordering. * * ```solidity * contract Example { * // Add the library methods * using EnumerableSet for EnumerableSet.AddressSet; * * // Declare a set state variable * EnumerableSet.AddressSet private mySet; * } * ``` * * As of v3.3.0, sets of type `bytes32` (`Bytes32Set`), `address` (`AddressSet`) * and `uint256` (`UintSet`) are supported. * * [WARNING] * ==== * Trying to delete such a structure from storage will likely result in data corruption, rendering the structure * unusable. * See https://github.com/ethereum/solidity/pull/11843[ethereum/solidity#11843] for more info. * * In order to clean an EnumerableSet, you can either remove all elements one by one or create a fresh instance using an * array of EnumerableSet. * ==== */ library EnumerableSet { // To implement this library for multiple types with as little code // repetition as possible, we write it in terms of a generic Set type with // bytes32 values. // The Set implementation uses private functions, and user-facing // implementations (such as AddressSet) are just wrappers around the // underlying Set. // This means that we can only create new EnumerableSets for types that fit // in bytes32. struct Set { // Storage of set values bytes32[] _values; // Position of the value in the `values` array, plus 1 because index 0 // means a value is not in the set. mapping(bytes32 => uint256) _indexes; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function _add(Set storage set, bytes32 value) private returns (bool) { if (!_contains(set, value)) { set._values.push(value); // The value is stored at length-1, but we add 1 to all indexes // and use 0 as a sentinel value set._indexes[value] = set._values.length; return true; } else { return false; } } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function _remove(Set storage set, bytes32 value) private returns (bool) { // We read and store the value's index to prevent multiple reads from the same storage slot uint256 valueIndex = set._indexes[value]; if (valueIndex != 0) { // Equivalent to contains(set, value) // To delete an element from the _values array in O(1), we swap the element to delete with the last one in // the array, and then remove the last element (sometimes called as 'swap and pop'). // This modifies the order of the array, as noted in {at}. uint256 toDeleteIndex = valueIndex - 1; uint256 lastIndex = set._values.length - 1; if (lastIndex != toDeleteIndex) { bytes32 lastValue = set._values[lastIndex]; // Move the last value to the index where the value to delete is set._values[toDeleteIndex] = lastValue; // Update the index for the moved value set._indexes[lastValue] = valueIndex; // Replace lastValue's index to valueIndex } // Delete the slot where the moved value was stored set._values.pop(); // Delete the index for the deleted slot delete set._indexes[value]; return true; } else { return false; } } /** * @dev Returns true if the value is in the set. O(1). */ function _contains(Set storage set, bytes32 value) private view returns (bool) { return set._indexes[value] != 0; } /** * @dev Returns the number of values on the set. O(1). */ function _length(Set storage set) private view returns (uint256) { return set._values.length; } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function _at(Set storage set, uint256 index) private view returns (bytes32) { return set._values[index]; } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function _values(Set storage set) private view returns (bytes32[] memory) { return set._values; } // Bytes32Set struct Bytes32Set { Set _inner; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function add(Bytes32Set storage set, bytes32 value) internal returns (bool) { return _add(set._inner, value); } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function remove(Bytes32Set storage set, bytes32 value) internal returns (bool) { return _remove(set._inner, value); } /** * @dev Returns true if the value is in the set. O(1). */ function contains(Bytes32Set storage set, bytes32 value) internal view returns (bool) { return _contains(set._inner, value); } /** * @dev Returns the number of values in the set. O(1). */ function length(Bytes32Set storage set) internal view returns (uint256) { return _length(set._inner); } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function at(Bytes32Set storage set, uint256 index) internal view returns (bytes32) { return _at(set._inner, index); } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function values(Bytes32Set storage set) internal view returns (bytes32[] memory) { bytes32[] memory store = _values(set._inner); bytes32[] memory result; /// @solidity memory-safe-assembly assembly { result := store } return result; } // AddressSet struct AddressSet { Set _inner; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function add(AddressSet storage set, address value) internal returns (bool) { return _add(set._inner, bytes32(uint256(uint160(value)))); } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function remove(AddressSet storage set, address value) internal returns (bool) { return _remove(set._inner, bytes32(uint256(uint160(value)))); } /** * @dev Returns true if the value is in the set. O(1). */ function contains(AddressSet storage set, address value) internal view returns (bool) { return _contains(set._inner, bytes32(uint256(uint160(value)))); } /** * @dev Returns the number of values in the set. O(1). */ function length(AddressSet storage set) internal view returns (uint256) { return _length(set._inner); } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function at(AddressSet storage set, uint256 index) internal view returns (address) { return address(uint160(uint256(_at(set._inner, index)))); } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function values(AddressSet storage set) internal view returns (address[] memory) { bytes32[] memory store = _values(set._inner); address[] memory result; /// @solidity memory-safe-assembly assembly { result := store } return result; } // UintSet struct UintSet { Set _inner; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function add(UintSet storage set, uint256 value) internal returns (bool) { return _add(set._inner, bytes32(value)); } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function remove(UintSet storage set, uint256 value) internal returns (bool) { return _remove(set._inner, bytes32(value)); } /** * @dev Returns true if the value is in the set. O(1). */ function contains(UintSet storage set, uint256 value) internal view returns (bool) { return _contains(set._inner, bytes32(value)); } /** * @dev Returns the number of values in the set. O(1). */ function length(UintSet storage set) internal view returns (uint256) { return _length(set._inner); } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function at(UintSet storage set, uint256 index) internal view returns (uint256) { return uint256(_at(set._inner, index)); } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function values(UintSet storage set) internal view returns (uint256[] memory) { bytes32[] memory store = _values(set._inner); uint256[] memory result; /// @solidity memory-safe-assembly assembly { result := store } return result; } }
{ "remappings": [ "solidity-utils/=lib/solidity-utils/src/", "@openzeppelin/=lib/openzeppelin-contracts/", "@aave/core-v3/=lib/aave-address-book/lib/aave-v3-core/", "@aave/periphery-v3/=lib/aave-address-book/lib/aave-v3-periphery/", "aave-address-book/=lib/aave-address-book/src/", "aave-v3-core/=lib/aave-address-book/lib/aave-v3-core/", "aave-v3-periphery/=lib/aave-address-book/lib/aave-v3-periphery/", "ds-test/=lib/forge-std/lib/ds-test/src/", "forge-std/=lib/forge-std/src/", "fx-portal/=lib/fx-portal/contracts/", "nitro-contracts/=lib/nitro-contracts/src/", "openzeppelin-contracts/=lib/openzeppelin-contracts/", "hyperlane-monorepo/=lib/hyperlane-monorepo/solidity/contracts/", "erc4626-tests/=lib/openzeppelin-contracts/lib/erc4626-tests/", "openzeppelin/=lib/openzeppelin-contracts/contracts/" ], "optimizer": { "enabled": true, "runs": 200 }, "metadata": { "useLiteralContent": false, "bytecodeHash": "ipfs", "appendCBOR": true }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "evmVersion": "paris", "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[{"internalType":"address","name":"crossChainController","type":"address"},{"internalType":"address","name":"fxTunnel","type":"address"},{"internalType":"uint256","name":"providerGasLimit","type":"uint256"},{"components":[{"internalType":"address","name":"originForwarder","type":"address"},{"internalType":"uint256","name":"originChainId","type":"uint256"}],"internalType":"struct IBaseAdapter.TrustedRemotesConfig[]","name":"trustedRemotes","type":"tuple[]"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"originChainId","type":"uint256"},{"indexed":false,"internalType":"address","name":"originForwarder","type":"address"}],"name":"SetTrustedRemote","type":"event"},{"inputs":[],"name":"BASE_GAS_LIMIT","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"CROSS_CHAIN_CONTROLLER","outputs":[{"internalType":"contract IBaseCrossChainController","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"FX_TUNNEL","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"adapterName","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"},{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"destinationChainId","type":"uint256"},{"internalType":"bytes","name":"message","type":"bytes"}],"name":"forwardMessage","outputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"getOriginChainId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"chainId","type":"uint256"}],"name":"getTrustedRemoteByChainId","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"infraChainId","type":"uint256"}],"name":"infraToNativeChainId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"chainId","type":"uint256"}],"name":"isDestinationChainIdSupported","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"nativeChainId","type":"uint256"}],"name":"nativeToInfraChainId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"originalSender","type":"address"},{"internalType":"bytes","name":"message","type":"bytes"}],"name":"processMessage","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"setupPayments","outputs":[],"stateMutability":"nonpayable","type":"function"}]
Deployed Bytecode
0x608060405234801561001057600080fd5b50600436106100b45760003560e01c8063a8ba212b11610071578063a8ba212b1461017e578063b86a616114610191578063ba286578146101ba578063c4956366146101cf578063d6887581146100b9578063f7626fc5146101f657600080fd5b80631e02e77c146100b957806336da7a06146100dd57806352d1043d1461010f57806363fee3261461011157806381fbadad146101505780638f19fa2814610177575b600080fd5b6100ca6100c73660046105c9565b90565b6040519081526020015b60405180910390f35b6100f06100eb366004610647565b61021a565b604080516001600160a01b0390931683526020830191909152016100d4565b005b6101387f000000000000000000000000f30fa9e36fddd4982b722432fd39914e9ab2b03381565b6040516001600160a01b0390911681526020016100d4565b6100ca7f000000000000000000000000000000000000000000000000000000000000000081565b60016100ca565b61010f61018c3660046106af565b610355565b61013861019f3660046105c9565b6000908152602081905260409020546001600160a01b031690565b6101c2610451565b6040516100d49190610702565b6101387f000000000000000000000000f6b99959f0b5e79e1cc7062e12af632ceb18ef0d81565b61020a6102043660046105c9565b60011490565b60405190151581526020016100d4565b6000806001851460405180604001604052806002815260200161031360f41b815250906102635760405162461bcd60e51b815260040161025a9190610702565b60405180910390fd5b506040805180820190915260018152603960f81b60208201526001600160a01b0388166102a35760405162461bcd60e51b815260040161025a9190610702565b5060405163bb5ddb0f60e01b81526001600160a01b037f000000000000000000000000f30fa9e36fddd4982b722432fd39914e9ab2b033169063bb5ddb0f906102f4908a9088908890600401610779565b600060405180830381600087803b15801561030e57600080fd5b505af1158015610322573d6000803e3d6000fd5b507f000000000000000000000000f30fa9e36fddd4982b722432fd39914e9ab2b0339a60009a5098505050505050505050565b604080518082019091526002815261333560f01b6020820152336001600160a01b037f000000000000000000000000f30fa9e36fddd4982b722432fd39914e9ab2b03316146103b75760405162461bcd60e51b815260040161025a9190610702565b50600160008181526020527fada5013122d395ba3c54772283fb069b10426056ef8ca54750cb9bb552a59e7d546001600160a01b03858116911614801561040657506001600160a01b03841615155b60405180604001604052806002815260200161189960f11b8152509061043f5760405162461bcd60e51b815260040161025a9190610702565b5061044b8383836104df565b50505050565b6001805461045e906107a7565b80601f016020809104026020016040519081016040528092919081815260200182805461048a906107a7565b80156104d75780601f106104ac576101008083540402835291602001916104d7565b820191906000526020600020905b8154815290600101906020018083116104ba57829003601f168201915b505050505081565b6040805180820190915260028152610c8d60f21b6020820152306001600160a01b037f000000000000000000000000853649f897383f89d8441346cf26a9ed02720b0216146105415760405162461bcd60e51b815260040161025a9190610702565b506040516376b42cad60e11b81526001600160a01b037f000000000000000000000000f6b99959f0b5e79e1cc7062e12af632ceb18ef0d169063ed68595a90610592908690869086906004016107e1565b600060405180830381600087803b1580156105ac57600080fd5b505af11580156105c0573d6000803e3d6000fd5b50505050505050565b6000602082840312156105db57600080fd5b5035919050565b80356001600160a01b03811681146105f957600080fd5b919050565b60008083601f84011261061057600080fd5b50813567ffffffffffffffff81111561062857600080fd5b60208301915083602082850101111561064057600080fd5b9250929050565b60008060008060006080868803121561065f57600080fd5b610668866105e2565b94506020860135935060408601359250606086013567ffffffffffffffff81111561069257600080fd5b61069e888289016105fe565b969995985093965092949392505050565b6000806000604084860312156106c457600080fd5b6106cd846105e2565b9250602084013567ffffffffffffffff8111156106e957600080fd5b6106f5868287016105fe565b9497909650939450505050565b600060208083528351808285015260005b8181101561072f57858101830151858201604001528201610713565b506000604082860101526040601f19601f8301168501019250505092915050565b81835281816020850137506000828201602090810191909152601f909101601f19169091010190565b6001600160a01b038416815260406020820181905260009061079e9083018486610750565b95945050505050565b600181811c908216806107bb57607f821691505b6020821081036107db57634e487b7160e01b600052602260045260246000fd5b50919050565b6040815260006107f5604083018587610750565b905082602083015294935050505056fea26469706673582212200a518e0d989f1f2bec10ffc41e77038e862995546299f3ddb4b5eaa7cbea940e64736f6c63430008130033
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 30 Chains
Chain | Token | Portfolio % | Price | Amount | Value |
---|
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.