| Transaction Hash |
|
Block
|
From
|
To
|
|||||
|---|---|---|---|---|---|---|---|---|---|
Latest 25 internal transactions (View All)
Advanced mode:
| Parent Transaction Hash | Block | From | To | |||
|---|---|---|---|---|---|---|
| 25064950 | 119 days ago | 0.00000812 ETH | ||||
| 25064950 | 119 days ago | 0.00324143 ETH | ||||
| 25064950 | 119 days ago | 0.00324955 ETH | ||||
| 23194118 | 162 days ago | 0.00001249 ETH | ||||
| 23194118 | 162 days ago | 0.00498686 ETH | ||||
| 23194118 | 162 days ago | 0.00499936 ETH | ||||
| 22893484 | 169 days ago | 0.00000047 ETH | ||||
| 22893484 | 169 days ago | 0.00018938 ETH | ||||
| 22893484 | 169 days ago | 0.00018985 ETH | ||||
| 22127507 | 187 days ago | 0.00000009 ETH | ||||
| 22127507 | 187 days ago | 0.00003971 ETH | ||||
| 22127507 | 187 days ago | 0.00003981 ETH | ||||
| 22090520 | 188 days ago | 0.00002249 ETH | ||||
| 22090520 | 188 days ago | 0.00897633 ETH | ||||
| 22090520 | 188 days ago | 0.00899883 ETH | ||||
| 21898634 | 192 days ago | 0.00001999 ETH | ||||
| 21898634 | 192 days ago | 0.00797897 ETH | ||||
| 21898634 | 192 days ago | 0.00799897 ETH | ||||
| 21789380 | 195 days ago | 0.00002045 ETH | ||||
| 21789380 | 195 days ago | 0.00816291 ETH | ||||
| 21789380 | 195 days ago | 0.00818337 ETH | ||||
| 20811375 | 218 days ago | 0.00000003 ETH | ||||
| 20811375 | 218 days ago | 0.00001483 ETH | ||||
| 20811375 | 218 days ago | 0.00001486 ETH | ||||
| 20811261 | 218 days ago | 0.00000005 ETH |
Cross-Chain Transactions
Loading...
Loading
Contract Name:
MulticallHandler
Compiler Version
v0.8.23+commit.f704f362
Optimization Enabled:
Yes with 1000000 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: GPL-3.0-only
pragma solidity ^0.8.0;
import "../interfaces/SpokePoolMessageHandler.sol";
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "@openzeppelin/contracts/utils/Address.sol";
import "@openzeppelin/contracts/security/ReentrancyGuard.sol";
/**
* @title Across Multicall contract that allows a user to specify a series of calls that should be made by the handler
* via the message field in the deposit.
* @dev This contract makes the calls blindly. The contract will send any remaining tokens The caller should ensure that the tokens recieved by the handler are completely consumed.
*/
contract MulticallHandler is AcrossMessageHandler, ReentrancyGuard {
using SafeERC20 for IERC20;
using Address for address payable;
struct Call {
address target;
bytes callData;
uint256 value;
}
struct Instructions {
// Calls that will be attempted.
Call[] calls;
// Where the tokens go if any part of the call fails.
// Leftover tokens are sent here as well if the action succeeds.
address fallbackRecipient;
}
// Emitted when one of the calls fails. Note: all calls are reverted in this case.
event CallsFailed(Call[] calls, address indexed fallbackRecipient);
// Emitted when there are leftover tokens that are sent to the fallbackRecipient.
event DrainedTokens(address indexed recipient, address indexed token, uint256 indexed amount);
// Errors
error CallReverted(uint256 index, Call[] calls);
error NotSelf();
error InvalidCall(uint256 index, Call[] calls);
modifier onlySelf() {
_requireSelf();
_;
}
/**
* @notice Main entrypoint for the handler called by the SpokePool contract.
* @dev This will execute all calls encoded in the msg. The caller is responsible for making sure all tokens are
* drained from this contract by the end of the series of calls. If not, they can be stolen.
* A drainLeftoverTokens call can be included as a way to drain any remaining tokens from this contract.
* @param message abi encoded array of Call structs, containing a target, callData, and value for each call that
* the contract should make.
*/
function handleV3AcrossMessage(
address token,
uint256,
address,
bytes memory message
) external nonReentrant {
Instructions memory instructions = abi.decode(message, (Instructions));
// If there is no fallback recipient, call and revert if the inner call fails.
if (instructions.fallbackRecipient == address(0)) {
this.attemptCalls(instructions.calls);
return;
}
// Otherwise, try the call and send to the fallback recipient if any tokens are leftover.
(bool success, ) = address(this).call(abi.encodeCall(this.attemptCalls, (instructions.calls)));
if (!success) emit CallsFailed(instructions.calls, instructions.fallbackRecipient);
// If there are leftover tokens, send them to the fallback recipient regardless of execution success.
_drainRemainingTokens(token, payable(instructions.fallbackRecipient));
}
function attemptCalls(Call[] memory calls) external onlySelf {
uint256 length = calls.length;
for (uint256 i = 0; i < length; ++i) {
Call memory call = calls[i];
// If we are calling an EOA with calldata, assume target was incorrectly specified and revert.
if (call.callData.length > 0 && call.target.code.length == 0) {
revert InvalidCall(i, calls);
}
(bool success, ) = call.target.call{ value: call.value }(call.callData);
if (!success) revert CallReverted(i, calls);
}
}
function drainLeftoverTokens(address token, address payable destination) external onlySelf {
_drainRemainingTokens(token, destination);
}
function _drainRemainingTokens(address token, address payable destination) internal {
if (token != address(0)) {
// ERC20 token.
uint256 amount = IERC20(token).balanceOf(address(this));
if (amount > 0) {
IERC20(token).safeTransfer(destination, amount);
emit DrainedTokens(destination, token, amount);
}
} else {
// Send native token
uint256 amount = address(this).balance;
if (amount > 0) {
destination.sendValue(amount);
}
}
}
function _requireSelf() internal view {
// Must be called by this contract to ensure that this cannot be triggered without the explicit consent of the
// depositor (for a valid relay).
if (msg.sender != address(this)) revert NotSelf();
}
// Used if the caller is trying to unwrap the native token to this contract.
receive() external payable {}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (security/ReentrancyGuard.sol)
pragma solidity ^0.8.0;
/**
* @dev Contract module that helps prevent reentrant calls to a function.
*
* Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier
* available, which can be applied to functions to make sure there are no nested
* (reentrant) calls to them.
*
* Note that because there is a single `nonReentrant` guard, functions marked as
* `nonReentrant` may not call one another. This can be worked around by making
* those functions `private`, and then adding `external` `nonReentrant` entry
* points to them.
*
* TIP: If you would like to learn more about reentrancy and alternative ways
* to protect against it, check out our blog post
* https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul].
*/
abstract contract ReentrancyGuard {
// Booleans are more expensive than uint256 or any type that takes up a full
// word because each write operation emits an extra SLOAD to first read the
// slot's contents, replace the bits taken up by the boolean, and then write
// back. This is the compiler's defense against contract upgrades and
// pointer aliasing, and it cannot be disabled.
// The values being non-zero value makes deployment a bit more expensive,
// but in exchange the refund on every call to nonReentrant will be lower in
// amount. Since refunds are capped to a percentage of the total
// transaction's gas, it is best to keep them low in cases like this one, to
// increase the likelihood of the full refund coming into effect.
uint256 private constant _NOT_ENTERED = 1;
uint256 private constant _ENTERED = 2;
uint256 private _status;
constructor() {
_status = _NOT_ENTERED;
}
/**
* @dev Prevents a contract from calling itself, directly or indirectly.
* Calling a `nonReentrant` function from another `nonReentrant`
* function is not supported. It is possible to prevent this from happening
* by making the `nonReentrant` function external, and making it call a
* `private` function that does the actual work.
*/
modifier nonReentrant() {
_nonReentrantBefore();
_;
_nonReentrantAfter();
}
function _nonReentrantBefore() private {
// On the first call to nonReentrant, _status will be _NOT_ENTERED
require(_status != _ENTERED, "ReentrancyGuard: reentrant call");
// Any calls to nonReentrant after this point will fail
_status = _ENTERED;
}
function _nonReentrantAfter() private {
// By storing the original value once again, a refund is triggered (see
// https://eips.ethereum.org/EIPS/eip-2200)
_status = _NOT_ENTERED;
}
/**
* @dev Returns true if the reentrancy guard is currently set to "entered", which indicates there is a
* `nonReentrant` function in the call stack.
*/
function _reentrancyGuardEntered() internal view returns (bool) {
return _status == _ENTERED;
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.4) (token/ERC20/extensions/IERC20Permit.sol)
pragma solidity ^0.8.0;
/**
* @dev Interface of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in
* https://eips.ethereum.org/EIPS/eip-2612[EIP-2612].
*
* Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by
* presenting a message signed by the account. By not relying on {IERC20-approve}, the token holder account doesn't
* need to send a transaction, and thus is not required to hold Ether at all.
*
* ==== Security Considerations
*
* There are two important considerations concerning the use of `permit`. The first is that a valid permit signature
* expresses an allowance, and it should not be assumed to convey additional meaning. In particular, it should not be
* considered as an intention to spend the allowance in any specific way. The second is that because permits have
* built-in replay protection and can be submitted by anyone, they can be frontrun. A protocol that uses permits should
* take this into consideration and allow a `permit` call to fail. Combining these two aspects, a pattern that may be
* generally recommended is:
*
* ```solidity
* function doThingWithPermit(..., uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s) public {
* try token.permit(msg.sender, address(this), value, deadline, v, r, s) {} catch {}
* doThing(..., value);
* }
*
* function doThing(..., uint256 value) public {
* token.safeTransferFrom(msg.sender, address(this), value);
* ...
* }
* ```
*
* Observe that: 1) `msg.sender` is used as the owner, leaving no ambiguity as to the signer intent, and 2) the use of
* `try/catch` allows the permit to fail and makes the code tolerant to frontrunning. (See also
* {SafeERC20-safeTransferFrom}).
*
* Additionally, note that smart contract wallets (such as Argent or Safe) are not able to produce permit signatures, so
* contracts should have entry points that don't rely on permit.
*/
interface IERC20Permit {
/**
* @dev Sets `value` as the allowance of `spender` over ``owner``'s tokens,
* given ``owner``'s signed approval.
*
* IMPORTANT: The same issues {IERC20-approve} has related to transaction
* ordering also apply here.
*
* Emits an {Approval} event.
*
* Requirements:
*
* - `spender` cannot be the zero address.
* - `deadline` must be a timestamp in the future.
* - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner`
* over the EIP712-formatted function arguments.
* - the signature must use ``owner``'s current nonce (see {nonces}).
*
* For more information on the signature format, see the
* https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP
* section].
*
* CAUTION: See Security Considerations above.
*/
function permit(
address owner,
address spender,
uint256 value,
uint256 deadline,
uint8 v,
bytes32 r,
bytes32 s
) external;
/**
* @dev Returns the current nonce for `owner`. This value must be
* included whenever a signature is generated for {permit}.
*
* Every successful call to {permit} increases ``owner``'s nonce by one. This
* prevents a signature from being used multiple times.
*/
function nonces(address owner) external view returns (uint256);
/**
* @dev Returns the domain separator used in the encoding of the signature for {permit}, as defined by {EIP712}.
*/
// solhint-disable-next-line func-name-mixedcase
function DOMAIN_SEPARATOR() external view returns (bytes32);
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (token/ERC20/IERC20.sol)
pragma solidity ^0.8.0;
/**
* @dev Interface of the ERC20 standard as defined in the EIP.
*/
interface IERC20 {
/**
* @dev Emitted when `value` tokens are moved from one account (`from`) to
* another (`to`).
*
* Note that `value` may be zero.
*/
event Transfer(address indexed from, address indexed to, uint256 value);
/**
* @dev Emitted when the allowance of a `spender` for an `owner` is set by
* a call to {approve}. `value` is the new allowance.
*/
event Approval(address indexed owner, address indexed spender, uint256 value);
/**
* @dev Returns the amount of tokens in existence.
*/
function totalSupply() external view returns (uint256);
/**
* @dev Returns the amount of tokens owned by `account`.
*/
function balanceOf(address account) external view returns (uint256);
/**
* @dev Moves `amount` tokens from the caller's account to `to`.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transfer(address to, uint256 amount) external returns (bool);
/**
* @dev Returns the remaining number of tokens that `spender` will be
* allowed to spend on behalf of `owner` through {transferFrom}. This is
* zero by default.
*
* This value changes when {approve} or {transferFrom} are called.
*/
function allowance(address owner, address spender) external view returns (uint256);
/**
* @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* IMPORTANT: Beware that changing an allowance with this method brings the risk
* that someone may use both the old and the new allowance by unfortunate
* transaction ordering. One possible solution to mitigate this race
* condition is to first reduce the spender's allowance to 0 and set the
* desired value afterwards:
* https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
*
* Emits an {Approval} event.
*/
function approve(address spender, uint256 amount) external returns (bool);
/**
* @dev Moves `amount` tokens from `from` to `to` using the
* allowance mechanism. `amount` is then deducted from the caller's
* allowance.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transferFrom(address from, address to, uint256 amount) external returns (bool);
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.3) (token/ERC20/utils/SafeERC20.sol)
pragma solidity ^0.8.0;
import "../IERC20.sol";
import "../extensions/IERC20Permit.sol";
import "../../../utils/Address.sol";
/**
* @title SafeERC20
* @dev Wrappers around ERC20 operations that throw on failure (when the token
* contract returns false). Tokens that return no value (and instead revert or
* throw on failure) are also supported, non-reverting calls are assumed to be
* successful.
* To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
* which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
*/
library SafeERC20 {
using Address for address;
/**
* @dev Transfer `value` amount of `token` from the calling contract to `to`. If `token` returns no value,
* non-reverting calls are assumed to be successful.
*/
function safeTransfer(IERC20 token, address to, uint256 value) internal {
_callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
}
/**
* @dev Transfer `value` amount of `token` from `from` to `to`, spending the approval given by `from` to the
* calling contract. If `token` returns no value, non-reverting calls are assumed to be successful.
*/
function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
_callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
}
/**
* @dev Deprecated. This function has issues similar to the ones found in
* {IERC20-approve}, and its usage is discouraged.
*
* Whenever possible, use {safeIncreaseAllowance} and
* {safeDecreaseAllowance} instead.
*/
function safeApprove(IERC20 token, address spender, uint256 value) internal {
// safeApprove should only be called when setting an initial allowance,
// or when resetting it to zero. To increase and decrease it, use
// 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
require(
(value == 0) || (token.allowance(address(this), spender) == 0),
"SafeERC20: approve from non-zero to non-zero allowance"
);
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
}
/**
* @dev Increase the calling contract's allowance toward `spender` by `value`. If `token` returns no value,
* non-reverting calls are assumed to be successful.
*/
function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
uint256 oldAllowance = token.allowance(address(this), spender);
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, oldAllowance + value));
}
/**
* @dev Decrease the calling contract's allowance toward `spender` by `value`. If `token` returns no value,
* non-reverting calls are assumed to be successful.
*/
function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
unchecked {
uint256 oldAllowance = token.allowance(address(this), spender);
require(oldAllowance >= value, "SafeERC20: decreased allowance below zero");
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, oldAllowance - value));
}
}
/**
* @dev Set the calling contract's allowance toward `spender` to `value`. If `token` returns no value,
* non-reverting calls are assumed to be successful. Meant to be used with tokens that require the approval
* to be set to zero before setting it to a non-zero value, such as USDT.
*/
function forceApprove(IERC20 token, address spender, uint256 value) internal {
bytes memory approvalCall = abi.encodeWithSelector(token.approve.selector, spender, value);
if (!_callOptionalReturnBool(token, approvalCall)) {
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, 0));
_callOptionalReturn(token, approvalCall);
}
}
/**
* @dev Use a ERC-2612 signature to set the `owner` approval toward `spender` on `token`.
* Revert on invalid signature.
*/
function safePermit(
IERC20Permit token,
address owner,
address spender,
uint256 value,
uint256 deadline,
uint8 v,
bytes32 r,
bytes32 s
) internal {
uint256 nonceBefore = token.nonces(owner);
token.permit(owner, spender, value, deadline, v, r, s);
uint256 nonceAfter = token.nonces(owner);
require(nonceAfter == nonceBefore + 1, "SafeERC20: permit did not succeed");
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*/
function _callOptionalReturn(IERC20 token, bytes memory data) private {
// We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
// we're implementing it ourselves. We use {Address-functionCall} to perform this call, which verifies that
// the target address contains contract code and also asserts for success in the low-level call.
bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed");
require(returndata.length == 0 || abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*
* This is a variant of {_callOptionalReturn} that silents catches all reverts and returns a bool instead.
*/
function _callOptionalReturnBool(IERC20 token, bytes memory data) private returns (bool) {
// We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
// we're implementing it ourselves. We cannot use {Address-functionCall} here since this should return false
// and not revert is the subcall reverts.
(bool success, bytes memory returndata) = address(token).call(data);
return
success && (returndata.length == 0 || abi.decode(returndata, (bool))) && Address.isContract(address(token));
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (utils/Address.sol)
pragma solidity ^0.8.1;
/**
* @dev Collection of functions related to the address type
*/
library Address {
/**
* @dev Returns true if `account` is a contract.
*
* [IMPORTANT]
* ====
* It is unsafe to assume that an address for which this function returns
* false is an externally-owned account (EOA) and not a contract.
*
* Among others, `isContract` will return false for the following
* types of addresses:
*
* - an externally-owned account
* - a contract in construction
* - an address where a contract will be created
* - an address where a contract lived, but was destroyed
*
* Furthermore, `isContract` will also return true if the target contract within
* the same transaction is already scheduled for destruction by `SELFDESTRUCT`,
* which only has an effect at the end of a transaction.
* ====
*
* [IMPORTANT]
* ====
* You shouldn't rely on `isContract` to protect against flash loan attacks!
*
* Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets
* like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract
* constructor.
* ====
*/
function isContract(address account) internal view returns (bool) {
// This method relies on extcodesize/address.code.length, which returns 0
// for contracts in construction, since the code is only stored at the end
// of the constructor execution.
return account.code.length > 0;
}
/**
* @dev Replacement for Solidity's `transfer`: sends `amount` wei to
* `recipient`, forwarding all available gas and reverting on errors.
*
* https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
* of certain opcodes, possibly making contracts go over the 2300 gas limit
* imposed by `transfer`, making them unable to receive funds via
* `transfer`. {sendValue} removes this limitation.
*
* https://consensys.net/diligence/blog/2019/09/stop-using-soliditys-transfer-now/[Learn more].
*
* IMPORTANT: because control is transferred to `recipient`, care must be
* taken to not create reentrancy vulnerabilities. Consider using
* {ReentrancyGuard} or the
* https://solidity.readthedocs.io/en/v0.8.0/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
*/
function sendValue(address payable recipient, uint256 amount) internal {
require(address(this).balance >= amount, "Address: insufficient balance");
(bool success, ) = recipient.call{value: amount}("");
require(success, "Address: unable to send value, recipient may have reverted");
}
/**
* @dev Performs a Solidity function call using a low level `call`. A
* plain `call` is an unsafe replacement for a function call: use this
* function instead.
*
* If `target` reverts with a revert reason, it is bubbled up by this
* function (like regular Solidity function calls).
*
* Returns the raw returned data. To convert to the expected return value,
* use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
*
* Requirements:
*
* - `target` must be a contract.
* - calling `target` with `data` must not revert.
*
* _Available since v3.1._
*/
function functionCall(address target, bytes memory data) internal returns (bytes memory) {
return functionCallWithValue(target, data, 0, "Address: low-level call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
* `errorMessage` as a fallback revert reason when `target` reverts.
*
* _Available since v3.1._
*/
function functionCall(
address target,
bytes memory data,
string memory errorMessage
) internal returns (bytes memory) {
return functionCallWithValue(target, data, 0, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but also transferring `value` wei to `target`.
*
* Requirements:
*
* - the calling contract must have an ETH balance of at least `value`.
* - the called Solidity function must be `payable`.
*
* _Available since v3.1._
*/
function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) {
return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
}
/**
* @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
* with `errorMessage` as a fallback revert reason when `target` reverts.
*
* _Available since v3.1._
*/
function functionCallWithValue(
address target,
bytes memory data,
uint256 value,
string memory errorMessage
) internal returns (bytes memory) {
require(address(this).balance >= value, "Address: insufficient balance for call");
(bool success, bytes memory returndata) = target.call{value: value}(data);
return verifyCallResultFromTarget(target, success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a static call.
*
* _Available since v3.3._
*/
function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
return functionStaticCall(target, data, "Address: low-level static call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
* but performing a static call.
*
* _Available since v3.3._
*/
function functionStaticCall(
address target,
bytes memory data,
string memory errorMessage
) internal view returns (bytes memory) {
(bool success, bytes memory returndata) = target.staticcall(data);
return verifyCallResultFromTarget(target, success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a delegate call.
*
* _Available since v3.4._
*/
function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) {
return functionDelegateCall(target, data, "Address: low-level delegate call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
* but performing a delegate call.
*
* _Available since v3.4._
*/
function functionDelegateCall(
address target,
bytes memory data,
string memory errorMessage
) internal returns (bytes memory) {
(bool success, bytes memory returndata) = target.delegatecall(data);
return verifyCallResultFromTarget(target, success, returndata, errorMessage);
}
/**
* @dev Tool to verify that a low level call to smart-contract was successful, and revert (either by bubbling
* the revert reason or using the provided one) in case of unsuccessful call or if target was not a contract.
*
* _Available since v4.8._
*/
function verifyCallResultFromTarget(
address target,
bool success,
bytes memory returndata,
string memory errorMessage
) internal view returns (bytes memory) {
if (success) {
if (returndata.length == 0) {
// only check isContract if the call was successful and the return data is empty
// otherwise we already know that it was a contract
require(isContract(target), "Address: call to non-contract");
}
return returndata;
} else {
_revert(returndata, errorMessage);
}
}
/**
* @dev Tool to verify that a low level call was successful, and revert if it wasn't, either by bubbling the
* revert reason or using the provided one.
*
* _Available since v4.3._
*/
function verifyCallResult(
bool success,
bytes memory returndata,
string memory errorMessage
) internal pure returns (bytes memory) {
if (success) {
return returndata;
} else {
_revert(returndata, errorMessage);
}
}
function _revert(bytes memory returndata, string memory errorMessage) private pure {
// Look for revert reason and bubble it up if present
if (returndata.length > 0) {
// The easiest way to bubble the revert reason is using memory via assembly
/// @solidity memory-safe-assembly
assembly {
let returndata_size := mload(returndata)
revert(add(32, returndata), returndata_size)
}
} else {
revert(errorMessage);
}
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity ^0.8.0;
// This interface is expected to be implemented by any contract that expects to receive messages from the SpokePool.
interface AcrossMessageHandler {
function handleV3AcrossMessage(
address tokenSent,
uint256 amount,
address relayer,
bytes memory message
) external;
}{
"optimizer": {
"enabled": true,
"runs": 1000000
},
"viaIR": true,
"debug": {
"revertStrings": "strip"
},
"outputSelection": {
"*": {
"*": [
"evm.bytecode",
"evm.deployedBytecode",
"devdoc",
"userdoc",
"metadata",
"abi"
]
}
},
"metadata": {
"useLiteralContent": true
},
"libraries": {}
}Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
Contract ABI
API[{"inputs":[{"internalType":"uint256","name":"index","type":"uint256"},{"components":[{"internalType":"address","name":"target","type":"address"},{"internalType":"bytes","name":"callData","type":"bytes"},{"internalType":"uint256","name":"value","type":"uint256"}],"internalType":"struct MulticallHandler.Call[]","name":"calls","type":"tuple[]"}],"name":"CallReverted","type":"error"},{"inputs":[{"internalType":"uint256","name":"index","type":"uint256"},{"components":[{"internalType":"address","name":"target","type":"address"},{"internalType":"bytes","name":"callData","type":"bytes"},{"internalType":"uint256","name":"value","type":"uint256"}],"internalType":"struct MulticallHandler.Call[]","name":"calls","type":"tuple[]"}],"name":"InvalidCall","type":"error"},{"inputs":[],"name":"NotSelf","type":"error"},{"anonymous":false,"inputs":[{"components":[{"internalType":"address","name":"target","type":"address"},{"internalType":"bytes","name":"callData","type":"bytes"},{"internalType":"uint256","name":"value","type":"uint256"}],"indexed":false,"internalType":"struct MulticallHandler.Call[]","name":"calls","type":"tuple[]"},{"indexed":true,"internalType":"address","name":"fallbackRecipient","type":"address"}],"name":"CallsFailed","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":true,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"DrainedTokens","type":"event"},{"inputs":[{"components":[{"internalType":"address","name":"target","type":"address"},{"internalType":"bytes","name":"callData","type":"bytes"},{"internalType":"uint256","name":"value","type":"uint256"}],"internalType":"struct MulticallHandler.Call[]","name":"calls","type":"tuple[]"}],"name":"attemptCalls","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"address payable","name":"destination","type":"address"}],"name":"drainLeftoverTokens","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"address","name":"","type":"address"},{"internalType":"bytes","name":"message","type":"bytes"}],"name":"handleV3AcrossMessage","outputs":[],"stateMutability":"nonpayable","type":"function"},{"stateMutability":"payable","type":"receive"}]Contract Creation Code
6080806040523461001a5760015f55610bbb908161001f8239f35b5f80fdfe60406080815260048036101561001e575b5050361561001c575f80fd5b005b5f3560e01c9081633a5be8cb14610333578163a58d50d3146100b5575063ef8738d31461004b5780610010565b346100b1577ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc3601126100b1576100806103c5565b60243573ffffffffffffffffffffffffffffffffffffffff811681036100b15761001c916100ac610b29565b61093b565b5f80fd5b9050346100b157602091827ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc3601126100b15767ffffffffffffffff9082358281116100b157366023820112156100b1578084013594602491610117876104f2565b9461012485519687610431565b878652828601908460059960051b840101923684116100b157858101925b848410610296575050505050610156610b29565b8351955f5b87811061016457005b855181101561026b578281831b870101518381019081515115158061024b575b61020c575f91818873ffffffffffffffffffffffffffffffffffffffff859451169101519151918783519301915af16101bb61060f565b50156101c95760010161015b565b8661020887878781519586957fe462c440000000000000000000000000000000000000000000000000000000008752860152840152604483019061054c565b0390fd5b86517fe237730c000000000000000000000000000000000000000000000000000000008152808a0184905280870188905280610208604482018b61054c565b5073ffffffffffffffffffffffffffffffffffffffff8151163b15610184565b836032887f4e487b71000000000000000000000000000000000000000000000000000000005f52525ffd5b83358381116100b157820160607fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffdc82360301126100b1578851916102d9836103e8565b8882013573ffffffffffffffffffffffffffffffffffffffff811681036100b15783526044820135928584116100b157606489949361031e86958d36918401016104ac565b8584015201358b820152815201930192610142565b346100b15760807ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc3601126100b15761036a6103c5565b9060443573ffffffffffffffffffffffffffffffffffffffff8116036100b1576064359067ffffffffffffffff82116100b1576103a9913691016104ac565b60025f54146100b1576103bf9160025f5561063e565b60015f55005b6004359073ffffffffffffffffffffffffffffffffffffffff821682036100b157565b6060810190811067ffffffffffffffff82111761040457604052565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52604160045260245ffd5b90601f7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0910116810190811067ffffffffffffffff82111761040457604052565b67ffffffffffffffff811161040457601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe01660200190565b81601f820112156100b1578035906104c382610472565b926104d16040519485610431565b828452602083830101116100b157815f926020809301838601378301015290565b67ffffffffffffffff81116104045760051b60200190565b519073ffffffffffffffffffffffffffffffffffffffff821682036100b157565b5f5b83811061053c5750505f910152565b818101518382015260200161052d565b908082519081815260208091019281808460051b8301019501935f915b8483106105795750505050505090565b90919293949584806001927fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe090818682030187528a5191601f606073ffffffffffffffffffffffffffffffffffffffff855116845285850151948187860152855180928601526105f18260809789898901910161052b565b60408091015190850152011601019801930193019194939290610569565b3d15610639573d9061062082610472565b9161062e6040519384610431565b82523d5f602084013e565b606090565b81516020908301928184019382828203126100b1578282015167ffffffffffffffff928382116100b157019060409182818303126100b15782519183830183811086821117610404578452858201518581116100b15782019088603f830112156100b157868201516106af816104f2565b996106bc87519b8c610431565b818b5286898c019260051b850101938185116100b157908188809695949301925b85841061086f575050505050506106f7918884520161050a565b938082019385855273ffffffffffffffffffffffffffffffffffffffff809616156107fa57506107b296505f808351855161079281610766878201947fa58d50d3000000000000000000000000000000000000000000000000000000008652886024840152604483019061054c565b037fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08101835282610431565b519082305af16107a061060f565b50156107b4575b50505051169061093b565b565b7f5296f22c5d0413b66d0bf45c479c4e2ca5b278634bdbd028b48e49502105f9669151906107ef86865116945192828493845283019061054c565b0390a25f80806107a7565b94509250509250303b156100b157610847935f91845195869283927fa58d50d30000000000000000000000000000000000000000000000000000000084526004840152602483019061054c565b038183305af180156108655761085c57505050565b82116104045752565b82513d5f823e3d90fd5b9091928094959650518a81116100b15782019060607fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe083880301126100b1578951906108ba826103e8565b6108c58b840161050a565b825260608301518c81116100b15783019185605f840112156100b157828c01518c946108fc6108f383610472565b96519687610431565b81865287606083870101116100b1578f9561092160809388976060898501910161052b565b8584015201518c82015281520193019190889594936106dd565b73ffffffffffffffffffffffffffffffffffffffff91908216908115610af957604051927f70a082310000000000000000000000000000000000000000000000000000000084523060048501526020918285602481875afa948515610aee575f95610abf575b50846109af575b5050505050565b16906040518181017fa9059cbb000000000000000000000000000000000000000000000000000000008152836024830152856044830152604482526080820167ffffffffffffffff91838210838311176104045760c084019283118284101761040457610a5b93855f94938594604052527f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c656460a0820152519082885af1610a5461060f565b9085610b5c565b8051918215918215610a9f575b50509050156100b1577f74d3741ef03417659087d2ec6af11dade8713f9b7f592569d60cf1ea0c9a44555f80a45f808080806109a8565b8092508193810103126100b157015180151581036100b157805f80610a68565b9094508281813d8311610ae7575b610ad78183610431565b810103126100b15751935f6109a1565b503d610acd565b6040513d5f823e3d90fd5b9147915081610b0757505050565b8147106100b1575f92839283928392165af1610b2161060f565b50156100b157565b303303610b3257565b60046040517f29c3b7ee000000000000000000000000000000000000000000000000000000008152fd5b9015610b7657815115610b6d575090565b3b156100b15790565b5080519081156100b157602001fdfea264697066735822122049a0f3490694fd8e8abd28c37de2173fe89aa2fbe486b51969942a1513f56da764736f6c63430008170033
Deployed Bytecode
0x60406080815260048036101561001e575b5050361561001c575f80fd5b005b5f3560e01c9081633a5be8cb14610333578163a58d50d3146100b5575063ef8738d31461004b5780610010565b346100b1577ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc3601126100b1576100806103c5565b60243573ffffffffffffffffffffffffffffffffffffffff811681036100b15761001c916100ac610b29565b61093b565b5f80fd5b9050346100b157602091827ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc3601126100b15767ffffffffffffffff9082358281116100b157366023820112156100b1578084013594602491610117876104f2565b9461012485519687610431565b878652828601908460059960051b840101923684116100b157858101925b848410610296575050505050610156610b29565b8351955f5b87811061016457005b855181101561026b578281831b870101518381019081515115158061024b575b61020c575f91818873ffffffffffffffffffffffffffffffffffffffff859451169101519151918783519301915af16101bb61060f565b50156101c95760010161015b565b8661020887878781519586957fe462c440000000000000000000000000000000000000000000000000000000008752860152840152604483019061054c565b0390fd5b86517fe237730c000000000000000000000000000000000000000000000000000000008152808a0184905280870188905280610208604482018b61054c565b5073ffffffffffffffffffffffffffffffffffffffff8151163b15610184565b836032887f4e487b71000000000000000000000000000000000000000000000000000000005f52525ffd5b83358381116100b157820160607fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffdc82360301126100b1578851916102d9836103e8565b8882013573ffffffffffffffffffffffffffffffffffffffff811681036100b15783526044820135928584116100b157606489949361031e86958d36918401016104ac565b8584015201358b820152815201930192610142565b346100b15760807ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc3601126100b15761036a6103c5565b9060443573ffffffffffffffffffffffffffffffffffffffff8116036100b1576064359067ffffffffffffffff82116100b1576103a9913691016104ac565b60025f54146100b1576103bf9160025f5561063e565b60015f55005b6004359073ffffffffffffffffffffffffffffffffffffffff821682036100b157565b6060810190811067ffffffffffffffff82111761040457604052565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52604160045260245ffd5b90601f7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0910116810190811067ffffffffffffffff82111761040457604052565b67ffffffffffffffff811161040457601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe01660200190565b81601f820112156100b1578035906104c382610472565b926104d16040519485610431565b828452602083830101116100b157815f926020809301838601378301015290565b67ffffffffffffffff81116104045760051b60200190565b519073ffffffffffffffffffffffffffffffffffffffff821682036100b157565b5f5b83811061053c5750505f910152565b818101518382015260200161052d565b908082519081815260208091019281808460051b8301019501935f915b8483106105795750505050505090565b90919293949584806001927fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe090818682030187528a5191601f606073ffffffffffffffffffffffffffffffffffffffff855116845285850151948187860152855180928601526105f18260809789898901910161052b565b60408091015190850152011601019801930193019194939290610569565b3d15610639573d9061062082610472565b9161062e6040519384610431565b82523d5f602084013e565b606090565b81516020908301928184019382828203126100b1578282015167ffffffffffffffff928382116100b157019060409182818303126100b15782519183830183811086821117610404578452858201518581116100b15782019088603f830112156100b157868201516106af816104f2565b996106bc87519b8c610431565b818b5286898c019260051b850101938185116100b157908188809695949301925b85841061086f575050505050506106f7918884520161050a565b938082019385855273ffffffffffffffffffffffffffffffffffffffff809616156107fa57506107b296505f808351855161079281610766878201947fa58d50d3000000000000000000000000000000000000000000000000000000008652886024840152604483019061054c565b037fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08101835282610431565b519082305af16107a061060f565b50156107b4575b50505051169061093b565b565b7f5296f22c5d0413b66d0bf45c479c4e2ca5b278634bdbd028b48e49502105f9669151906107ef86865116945192828493845283019061054c565b0390a25f80806107a7565b94509250509250303b156100b157610847935f91845195869283927fa58d50d30000000000000000000000000000000000000000000000000000000084526004840152602483019061054c565b038183305af180156108655761085c57505050565b82116104045752565b82513d5f823e3d90fd5b9091928094959650518a81116100b15782019060607fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe083880301126100b1578951906108ba826103e8565b6108c58b840161050a565b825260608301518c81116100b15783019185605f840112156100b157828c01518c946108fc6108f383610472565b96519687610431565b81865287606083870101116100b1578f9561092160809388976060898501910161052b565b8584015201518c82015281520193019190889594936106dd565b73ffffffffffffffffffffffffffffffffffffffff91908216908115610af957604051927f70a082310000000000000000000000000000000000000000000000000000000084523060048501526020918285602481875afa948515610aee575f95610abf575b50846109af575b5050505050565b16906040518181017fa9059cbb000000000000000000000000000000000000000000000000000000008152836024830152856044830152604482526080820167ffffffffffffffff91838210838311176104045760c084019283118284101761040457610a5b93855f94938594604052527f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c656460a0820152519082885af1610a5461060f565b9085610b5c565b8051918215918215610a9f575b50509050156100b1577f74d3741ef03417659087d2ec6af11dade8713f9b7f592569d60cf1ea0c9a44555f80a45f808080806109a8565b8092508193810103126100b157015180151581036100b157805f80610a68565b9094508281813d8311610ae7575b610ad78183610431565b810103126100b15751935f6109a1565b503d610acd565b6040513d5f823e3d90fd5b9147915081610b0757505050565b8147106100b1575f92839283928392165af1610b2161060f565b50156100b157565b303303610b3257565b60046040517f29c3b7ee000000000000000000000000000000000000000000000000000000008152fd5b9015610b7657815115610b6d575090565b3b156100b15790565b5080519081156100b157602001fdfea264697066735822122049a0f3490694fd8e8abd28c37de2173fe89aa2fbe486b51969942a1513f56da764736f6c63430008170033
Loading...
Loading
Loading...
Loading
Loading...
Loading
Net Worth in USD
$29.49
Net Worth in ETH
0.009983
Token Allocations
ETH
100.00%
Multichain Portfolio | 35 Chains
| Chain | Token | Portfolio % | Price | Amount | Value |
|---|---|---|---|---|---|
| LINEA | 100.00% | $2,953.11 | 0.00998476 | $29.49 |
Loading...
Loading
Loading...
Loading
Loading...
Loading
[ Download: CSV Export ]
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.