Contract
0x1c1fcecced3241b17c80e8b1e52a6ee0ea372fe1
5
Contract Overview
Balance:
0 Ether
EtherValue:
$0.00
My Name Tag:
Not Available, login to update
Txn Hash | Method |
Block
|
From
|
To
|
Value | ||||
---|---|---|---|---|---|---|---|---|---|
0x5409f6a5a5239cc9c22d11443c5da4196ad202f19c2ac8c5c857767cc9f77fdc | 0x60c06040 | 966405 | 39 days 18 hrs ago | 0x890bc5691e6011f580e264065d09a7a1a6902131 | IN | Create: SwapQuoter | 0 Ether | 0.002904076 |
[ Download CSV Export ]
Contract Name:
SwapQuoter
Compiler Version
v0.6.12+commit.27d51765
Optimization Enabled:
Yes with 200 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; import "@openzeppelin/contracts/math/SafeMath.sol"; /** * @title MathUtils library * @notice A library to be used in conjunction with SafeMath. Contains functions for calculating * differences between two uint256. */ library MathUtils { /** * @notice Compares a and b and returns true if the difference between a and b * is less than 1 or equal to each other. * @param a uint256 to compare with * @param b uint256 to compare with * @return True if the difference between a and b is less than 1 or equal, * otherwise return false */ function within1(uint256 a, uint256 b) internal pure returns (bool) { return (difference(a, b) <= 1); } /** * @notice Calculates absolute difference between a and b * @param a uint256 to compare with * @param b uint256 to compare with * @return Difference between a and b */ function difference(uint256 a, uint256 b) internal pure returns (uint256) { if (a > b) { return a - b; } return b - a; } }
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; import "@openzeppelin/contracts/token/ERC20/ERC20.sol"; interface ISwap { // pool data view functions function getA() external view returns (uint256); function getAPrecise() external view returns (uint256); function getToken(uint8 index) external view returns (IERC20); function getTokenIndex(address tokenAddress) external view returns (uint8); function getTokenBalance(uint8 index) external view returns (uint256); function getVirtualPrice() external view returns (uint256); function swapStorage() external view returns ( uint256 initialA, uint256 futureA, uint256 initialATime, uint256 futureATime, uint256 swapFee, uint256 adminFee, address lpToken ); // min return calculation functions function calculateSwap( uint8 tokenIndexFrom, uint8 tokenIndexTo, uint256 dx ) external view returns (uint256); function calculateTokenAmount(uint256[] calldata amounts, bool deposit) external view returns (uint256); function calculateRemoveLiquidity(uint256 amount) external view returns (uint256[] memory); function calculateRemoveLiquidityOneToken(uint256 tokenAmount, uint8 tokenIndex) external view returns (uint256 availableTokenAmount); // state modifying functions function initialize( IERC20[] memory pooledTokens, uint8[] memory decimals, string memory lpTokenName, string memory lpTokenSymbol, uint256 a, uint256 fee, uint256 adminFee, address lpTokenTargetAddress ) external; function swap( uint8 tokenIndexFrom, uint8 tokenIndexTo, uint256 dx, uint256 minDy, uint256 deadline ) external returns (uint256); function addLiquidity( uint256[] calldata amounts, uint256 minToMint, uint256 deadline ) external returns (uint256); function removeLiquidity( uint256 amount, uint256[] calldata minAmounts, uint256 deadline ) external returns (uint256[] memory); function removeLiquidityOneToken( uint256 tokenAmount, uint8 tokenIndex, uint256 minAmount, uint256 deadline ) external returns (uint256); function removeLiquidityImbalance( uint256[] calldata amounts, uint256 maxBurnAmount, uint256 deadline ) external returns (uint256); }
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; pragma experimental ABIEncoderV2; import "../libraries/BridgeStructs.sol"; interface ISwapQuoter { function findConnectedTokens(LimitedToken[] memory tokensIn, address tokenOut) external view returns (uint256 amountFound, bool[] memory isConnected); function getAmountOut( LimitedToken memory tokenIn, address tokenOut, uint256 amountIn ) external view returns (SwapQuery memory query); function allPools() external view returns (Pool[] memory pools); function poolsAmount() external view returns (uint256 tokens); function poolInfo(address pool) external view returns (uint256 tokens, address lpToken); function poolTokens(address pool) external view returns (PoolToken[] memory tokens); function calculateAddLiquidity(address pool, uint256[] memory amounts) external view returns (uint256 amountOut); function calculateSwap( address pool, uint8 tokenIndexFrom, uint8 tokenIndexTo, uint256 dx ) external view returns (uint256 amountOut); function calculateRemoveLiquidity(address pool, uint256 amount) external view returns (uint256[] memory amountsOut); function calculateWithdrawOneToken( address pool, uint256 tokenAmount, uint8 tokenIndex ) external view returns (uint256 amountOut); }
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; /// @notice Struct representing a request for SynapseRouter. /// @dev tokenIn is supplied separately. /// @param swapAdapter Adapter address that will perform the swap. Address(0) specifies a "no swap" query. /// @param tokenOut Token address to swap to. /// @param minAmountOut Minimum amount of tokens to receive after the swap, or tx will be reverted. /// @param deadline Latest timestamp for when the transaction needs to be executed, or tx will be reverted. /// @param rawParams ABI-encoded params for the swap that will be passed to `swapAdapter`. /// Should be SynapseParams for swaps via SynapseAdapter. struct SwapQuery { address swapAdapter; address tokenOut; uint256 minAmountOut; uint256 deadline; bytes rawParams; } /// @notice Struct representing parameters for swapping via SynapseAdapter. /// @param action Action that SynapseAdapter needs to perform. /// @param pool Liquidity pool that will be used for Swap/AddLiquidity/RemoveLiquidity actions. /// @param tokenIndexFrom Token index to swap from. Used for swap/addLiquidity actions. /// @param tokenIndexTo Token index to swap to. Used for swap/removeLiquidity actions. struct SynapseParams { Action action; address pool; uint8 tokenIndexFrom; uint8 tokenIndexTo; } /// @notice All possible actions that SynapseAdapter could perform. enum Action { Swap, // swap between two pools tokens AddLiquidity, // add liquidity in a form of a single pool token RemoveLiquidity, // remove liquidity in a form of a single pool token HandleEth // ETH <> WETH interaction } /// @notice Struct representing a token, and the available Actions for performing a swap. /// @param actionMask Bitmask representing what actions (see ActionLib) are available for swapping a token /// @param token Token address struct LimitedToken { uint256 actionMask; address token; } /// @notice Struct representing a bridge token. Used as the return value in view functions. /// @param symbol Bridge token symbol: unique token ID consistent among all chains /// @param token Bridge token address struct BridgeToken { string symbol; address token; } /// @notice Struct representing how pool tokens are stored by `SwapQuoter`. /// @param isWeth Whether the token represents Wrapped ETH. /// @param token Token address. struct PoolToken { bool isWeth; address token; } /// @notice Struct representing a request for a swap quote from a bridge token. /// @dev tokenOut is passed externally /// @param symbol Bridge token symbol: unique token ID consistent among all chains /// @param amountIn Amount of bridge token to start with, before the bridge fee is applied struct DestRequest { string symbol; uint256 amountIn; } /// @notice Struct representing a liquidity pool. Used as the return value in view functions. /// @param pool Pool address. /// @param lpToken Address of pool's LP token. /// @param tokens List of pool's tokens. struct Pool { address pool; address lpToken; PoolToken[] tokens; } /// @notice Library for dealing with bit masks, describing what Actions are available. library ActionLib { /// @notice Returns a bitmask with all possible actions set to True. function allActions() internal pure returns (uint256 actionMask) { actionMask = type(uint256).max; } /// @notice Returns whether the given action is set to True in the bitmask. function includes(uint256 actionMask, Action action) internal pure returns (bool) { return actionMask & mask(action) != 0; } /// @notice Returns a bitmask with only the given action set to True. function mask(Action action) internal pure returns (uint256) { return 1 << uint256(action); } /// @notice Returns a bitmask with only two given actions set to True. function mask(Action a, Action b) internal pure returns (uint256) { return mask(a) | mask(b); } }
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; import "./BridgeStructs.sol"; import "@openzeppelin/contracts/token/ERC20/SafeERC20.sol"; /** * Library to unify handling of ETH/WETH and ERC20 tokens. */ library UniversalToken { using SafeERC20 for IERC20; address internal constant ETH_ADDRESS = 0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE; uint256 private constant MAX_UINT = type(uint256).max; /// @notice Returns token balance for the given account. function universalBalanceOf(address token, address account) internal view returns (uint256) { if (token == ETH_ADDRESS) { return account.balance; } else { return IERC20(token).balanceOf(account); } } /// @notice Compares two tokens. ETH_ADDRESS and WETH are deemed equal. function universalEquals(address token, PoolToken memory poolToken) internal pure returns (bool) { if (token == ETH_ADDRESS) { return poolToken.isWeth; } else { return token == poolToken.token; } } function universalApproveInfinity(address token, address spender) internal { // ETH Chad doesn't require your approval if (token == ETH_ADDRESS) return; // No need to approve own tokens if (spender == address(this)) return; uint256 allowance = IERC20(token).allowance(address(this), spender); // Set allowance to MAX_UINT if needed if (allowance != MAX_UINT) { // if allowance is neither zero nor infinity, reset if first if (allowance != 0) { IERC20(token).safeApprove(spender, 0); } IERC20(token).safeApprove(spender, MAX_UINT); } } /// @notice Transfers tokens to the given account. Reverts if transfer is not successful. /// @dev This might trigger fallback, if ETH is transferred to the contract. /// Make sure this can not lead to reentrancy attacks. function universalTransfer( address token, address to, uint256 value ) internal { // Don't do anything, if need to send tokens to this address if (to == address(this)) return; if (token == ETH_ADDRESS) { /// @dev Note: this can potentially lead to executing code in `to`. // solhint-disable-next-line avoid-low-level-calls (bool success, ) = to.call{value: value}(""); require(success, "ETH transfer failed"); } else { IERC20(token).safeTransfer(to, value); } } }
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; pragma experimental ABIEncoderV2; import "../interfaces/ISwap.sol"; import "../interfaces/ISwapQuoter.sol"; import "../libraries/UniversalToken.sol"; import "../../amm/MathUtils.sol"; import "@openzeppelin/contracts/utils/EnumerableSet.sol"; abstract contract SwapCalculator is ISwapQuoter { using EnumerableSet for EnumerableSet.AddressSet; using SafeMath for uint256; using MathUtils for uint256; using UniversalToken for address; // Struct storing variables used in calculations in the // {add,remove}Liquidity functions to avoid stack too deep errors struct ManageLiquidityInfo { uint256 d0; uint256 d1; uint256 preciseA; uint256 totalSupply; uint256[] balances; uint256[] multipliers; } /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ CONSTANTS ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ uint256 private constant POOL_PRECISION_DECIMALS = 18; uint256 private constant A_PRECISION = 100; uint256 private constant FEE_DENOMINATOR = 10**10; /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ STORAGE ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ /// @dev Set of supported pools conforming to ISwap interface EnumerableSet.AddressSet internal _pools; /// @dev Pool tokens for every supported ISwap pool mapping(address => PoolToken[]) internal _poolTokens; /// @dev LP token for every supported ISwap pool (if exists) mapping(address => address) internal _poolLpToken; /// @dev Pool precision multipliers for every supported ISwap pool mapping(address => uint256[]) internal _poolMultipliers; /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ EXTERNAL VIEWS ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ /** * @notice Returns the exact quote for adding liquidity to a given pool * in a form of a single token. * @dev Apparently, the StableSwap authors didn't consider such function worth implementing, * as the only way to get a quote for adding liquidity would be calculateTokenAmount(), * which gives an ESTIMATE: it doesn't take the trade fees into account. * We do need the exact quotes for (DAI/USDC/USDT) -> nUSD swaps on Mainnet, hence we do this. * The code is copied from SwapUtils.addLiquidity(), with all the state changes omitted. * Note: the function might revert instead of returning 0 for incorrect requests. Make sure * to take that into account (see {_calculateAdd}, which is using this). */ function calculateAddLiquidity(address pool, uint256[] memory amounts) external view override returns (uint256 amountOut) { uint256 numTokens = _poolTokens[pool].length; require(amounts.length == numTokens, "Amounts must match pooled tokens"); ManageLiquidityInfo memory v = ManageLiquidityInfo({ d0: 0, d1: 0, preciseA: ISwap(pool).getAPrecise(), totalSupply: IERC20(_poolLpToken[pool]).totalSupply(), balances: new uint256[](numTokens), multipliers: _poolMultipliers[pool] }); uint256[] memory newBalances = new uint256[](numTokens); for (uint256 i = 0; i < numTokens; ++i) { v.balances[i] = ISwap(pool).getTokenBalance(uint8(i)); newBalances[i] = v.balances[i].add(amounts[i]); } if (v.totalSupply != 0) { v.d0 = _getD(_xp(v.balances, v.multipliers), v.preciseA); } else { for (uint256 i = 0; i < numTokens; ++i) { require(amounts[i] > 0, "Must supply all tokens in pool"); } } // invariant after change v.d1 = _getD(_xp(newBalances, v.multipliers), v.preciseA); require(v.d1 > v.d0, "D should increase"); if (v.totalSupply == 0) { return v.d1; } else { (, , , , uint256 swapFee, , ) = ISwap(pool).swapStorage(); uint256 feePerToken = _feePerToken(swapFee, numTokens); for (uint256 i = 0; i < numTokens; ++i) { uint256 idealBalance = v.d1.mul(v.balances[i]).div(v.d0); uint256 fees = feePerToken.mul(idealBalance.difference(newBalances[i])).div(FEE_DENOMINATOR); newBalances[i] = newBalances[i].sub(fees); } v.d1 = _getD(_xp(newBalances, v.multipliers), v.preciseA); return v.d1.sub(v.d0).mul(v.totalSupply).div(v.d0); } } /** * @notice Returns the exact quote for swapping between two given tokens. * @dev Exposes ISwap.calculateSwap(tokenIndexFrom, tokenIndexTo, dx); */ function calculateSwap( address pool, uint8 tokenIndexFrom, uint8 tokenIndexTo, uint256 dx ) external view override returns (uint256 amountOut) { amountOut = ISwap(pool).calculateSwap(tokenIndexFrom, tokenIndexTo, dx); } /** * @notice Returns the exact quote for withdrawing pools tokens in a balanced way. * @dev Exposes ISwap.calculateRemoveLiquidity(amount); */ function calculateRemoveLiquidity(address pool, uint256 amount) external view override returns (uint256[] memory amountsOut) { amountsOut = ISwap(pool).calculateRemoveLiquidity(amount); } /** * @notice Returns the exact quote for withdrawing a single pool token. * @dev Exposes ISwap.calculateRemoveLiquidityOneToken(tokenAmount, tokenIndex); */ function calculateWithdrawOneToken( address pool, uint256 tokenAmount, uint8 tokenIndex ) external view override returns (uint256 amountOut) { amountOut = ISwap(pool).calculateRemoveLiquidityOneToken(tokenAmount, tokenIndex); } /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ INTERNAL HELPERS ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ function _addPool(address pool, address weth) internal { if (_pools.add(pool)) { PoolToken[] storage tokens = _poolTokens[pool]; // Don't do anything if pool was added before if (tokens.length != 0) return; for (uint8 i = 0; ; ++i) { try ISwap(pool).getToken(i) returns (IERC20 token) { uint256 decimals = ERC20(address(token)).decimals(); PoolToken memory _poolToken = PoolToken({isWeth: address(token) == weth, token: address(token)}); _poolTokens[pool].push(_poolToken); _poolMultipliers[pool].push(10**POOL_PRECISION_DECIMALS.sub(decimals)); } catch { // End of pool reached break; } } try ISwap(pool).swapStorage() returns ( uint256, uint256, uint256, uint256, uint256, uint256, address lpToken ) { _poolLpToken[pool] = lpToken; } catch { // solhint-disable-previous-line no-empty-blocks // Don't do anything if swapStorage fails, // this is probably a wrapper pool } } } /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ INTERNAL VIEWS ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ function _calculateSwap( address pool, uint8 tokenIndexFrom, uint8 tokenIndexTo, uint256 amountIn ) internal view returns (uint256 amountOut) { try ISwap(pool).calculateSwap(tokenIndexFrom, tokenIndexTo, amountIn) returns (uint256 _amountOut) { amountOut = _amountOut; } catch { return 0; } } function _calculateRemove( address pool, uint8 tokenIndexTo, uint256 amountIn ) internal view returns (uint256 amountOut) { try ISwap(pool).calculateRemoveLiquidityOneToken(amountIn, tokenIndexTo) returns (uint256 _amountOut) { amountOut = _amountOut; } catch { return 0; } } function _calculateAdd( address pool, uint8 tokenIndexFrom, uint256 amountIn ) internal view returns (uint256 amountOut) { uint256[] memory amounts = new uint256[](_poolTokens[pool].length); amounts[tokenIndexFrom] = amountIn; // In order to keep the code clean, we do an external call to ourselves here // and return 0 should the execution be reverted. try this.calculateAddLiquidity(pool, amounts) returns (uint256 _amountOut) { amountOut = _amountOut; } catch { return 0; } } /** * @notice Returns indexes for the two given tokens plus 1. * The default value of 0 means a token is not supported by the pool. */ function _getTokenIndexes( address pool, address tokenIn, address tokenOut ) internal view returns (uint8 indexIn, uint8 indexOut) { PoolToken[] storage tokens = _poolTokens[pool]; uint256 amount = tokens.length; for (uint8 t = 0; t < amount; ++t) { PoolToken memory _poolToken = tokens[t]; if (tokenIn.universalEquals(_poolToken)) { indexIn = t + 1; } else if (tokenOut.universalEquals(_poolToken)) { indexOut = t + 1; } } } /** * @notice Get fee applied to each token when adding * or removing assets weighted differently from the pool */ function _feePerToken(uint256 swapFee, uint256 numTokens) internal pure returns (uint256) { return swapFee.mul(numTokens).div(numTokens.sub(1).mul(4)); } /** * @notice Get pool balances adjusted, as if all tokens had 18 decimals */ function _xp(uint256[] memory balances, uint256[] memory precisionMultipliers) internal pure returns (uint256[] memory) { uint256 _numTokens = balances.length; require(_numTokens == precisionMultipliers.length, "Balances must match multipliers"); uint256[] memory xp = new uint256[](_numTokens); for (uint256 i = 0; i < _numTokens; i++) { xp[i] = balances[i].mul(precisionMultipliers[i]); } return xp; } /** * @notice Get D: pool invariant */ function _getD(uint256[] memory xp, uint256 a) internal pure returns (uint256) { uint256 _numTokens = xp.length; uint256 s; for (uint256 i = 0; i < _numTokens; i++) { s = s.add(xp[i]); } if (s == 0) { return 0; } uint256 prevD; uint256 d = s; uint256 nA = a.mul(_numTokens); for (uint256 i = 0; i < 256; i++) { uint256 dP = d; for (uint256 j = 0; j < _numTokens; j++) { dP = dP.mul(d).div(xp[j].mul(_numTokens)); // If we were to protect the division loss we would have to keep the denominator separate // and divide at the end. However this leads to overflow with large numTokens or/and D. // dP = dP * D * D * D * ... overflow! } prevD = d; d = nA.mul(s).div(A_PRECISION).add(dP.mul(_numTokens)).mul(d).div( nA.sub(A_PRECISION).mul(d).div(A_PRECISION).add(_numTokens.add(1).mul(dP)) ); if (d.within1(prevD)) { return d; } } // Convergence should occur in 4 loops or less. If this is reached, there may be something wrong // with the pool. If this were to occur repeatedly, LPs should withdraw via `removeLiquidity()` // function which does not rely on D. revert("D does not converge"); } }
// SPDX-License-Identifier: MIT pragma solidity 0.6.12; pragma experimental ABIEncoderV2; import "../libraries/BridgeStructs.sol"; import "./SwapCalculator.sol"; import "@openzeppelin/contracts/access/Ownable.sol"; /** * @notice Finds one-step trade paths between tokens using a set of * liquidity pools, that conform to ISwap interface. * Following set of methods is required for the pool to work (see ISwap.sol for details): * - getToken(uint8) external view returns (address); * - calculateSwap(uint8, uint8, uint256) external view returns (uint256); * - swap(uin8, uint8, uint256, uint256, uint256) external returns (uint256); * @dev SwapQuoter is supposed to work in conjunction with SynapseRouter. * For the correct behavior bridge token "liquidity pools" (or their pool wrappers) need to be added to SwapQuoter. * Adding any additional pools containing one of the bridge tokens could lead to incorrect bridge parameters. * Adding a pool that doesn't contain a single bridge token would be fine though. */ contract SwapQuoter is SwapCalculator, Ownable { using ActionLib for uint256; /// @notice Address of SynapseRouter contract. address public immutable synapseRouter; /// @notice Address of WETH token that is used by SynapseBridge. /// If SynapseBridge has WETH_ADDRESS set to address(0), this should point to chain's canonical WETH. address public immutable weth; uint256 private constant PATH_FOUND = 1; constructor( address _synapseRouter, address _weth, address owner_ ) public { synapseRouter = _synapseRouter; weth = _weth; transferOwnership(owner_); } /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ OWNER ONLY ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ /** * @notice Adds a few pools to the list of pools used for finding a trade path. */ function addPools(address[] calldata pools) external onlyOwner { uint256 amount = pools.length; for (uint256 i = 0; i < amount; ++i) { _addPool(pools[i], weth); } } /** * @notice Adds a pool to the list of pools used for finding a trade path. * Stores all the supported pool tokens, and marks them as WETH, if they match the WETH address. * Also stores the pool LP token, if it exists. */ function addPool(address pool) external onlyOwner { _addPool(pool, weth); } /** * @notice Removes a pool from the list of pools used for finding a trade path. */ function removePool(address pool) external onlyOwner { _pools.remove(pool); // We don't remove _poolTokens records, as pool's set of tokens doesn't change over time. // Quoter iterates through all pools in `_pools`, so removing it from there is enough. } /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ VIEWS ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ /** * @notice Checks if a swap is possible between every token in the given list * and tokenOut, using any of the supported pools. * @param tokensIn List of structs with following information: * - actionMask Bitmask representing what actions are available for doing tokenIn -> tokenOut * - token Token address to swap from * @param tokenOut Token address to swap to * @return amountFound Amount of tokens from the list that are swappable to tokenOut * @return isConnected List of bool values, specifying whether a token from the list is swappable to tokenOut */ function findConnectedTokens(LimitedToken[] memory tokensIn, address tokenOut) external view override returns (uint256 amountFound, bool[] memory isConnected) { uint256 amount = tokensIn.length; isConnected = new bool[](amount); SwapQuery memory query; for (uint256 i = 0; i < amount; ++i) { LimitedToken memory tokenIn = tokensIn[i]; query = _getAmountOut(tokenIn, tokenOut, PATH_FOUND, false); if (query.minAmountOut == PATH_FOUND) { ++amountFound; isConnected[i] = true; } } } /** * @notice Finds the best pool for a single tokenIn -> tokenOut swap from the list of supported pools. * Returns the `SwapQuery` struct, that can be used on SynapseRouter. * minAmountOut and deadline fields will need to be adjusted based on the swap settings. * @dev If tokenIn or tokenOut is ETH_ADDRESS, only the pools having WETH as a pool token will be considered. * Three potential outcomes are available: * 1. `tokenIn` and `tokenOut` represent the same token address (identical tokens). * 2. `tokenIn` and `tokenOut` represent different addresses. No trade path from `tokenIn` to `tokenOut` is found. * 3. `tokenIn` and `tokenOut` represent different addresses. Trade path from `tokenIn` to `tokenOut` is found. * The exact composition of the returned struct for every case is documented in the return parameter documentation. * @param tokenIn Struct with following information: * - actionMask Bitmask representing what actions are available for doing tokenIn -> tokenOut * - token Token address to swap from * @param tokenOut Token address to swap to * @param amountIn Amount of tokens to swap from * @return query Struct representing trade path between tokenIn and tokenOut: * - swapAdapter: adapter address that would handle the swap. Address(0) if no path is found, * or tokens are identical. * - tokenOut: always equals to the provided `tokenOut`, even if no path if found. * - minAmountOut: amount of `tokenOut`, if swap was completed now. 0, if no path is found. * - deadline: 2**256-1 if path was found, or tokens are identical. 0, if no path is found. * - rawParams: ABI-encoded SynapseParams struct indicating the swap parameters. Empty string, * if no path is found, or tokens are identical. */ function getAmountOut( LimitedToken memory tokenIn, address tokenOut, uint256 amountIn ) external view override returns (SwapQuery memory query) { query = _getAmountOut(tokenIn, tokenOut, amountIn, true); // tokenOut filed should always be populated, even if a path wasn't found query.tokenOut = tokenOut; // Fill the remaining fields if a path was found if (query.minAmountOut != 0) { // SynapseRouter should be used as "Swap Adapter" for doing a swap through Synapse pools (or handling ETH) if (query.rawParams.length != 0) query.swapAdapter = synapseRouter; // Set default deadline to infinity. Not using the value of 0, // which would lead to every swap to revert by default. query.deadline = type(uint256).max; } } /** * @dev Finds the best pool for a single tokenIn -> tokenOut swap from the list of supported pools. * Or, if `performQuoteCall` is set to False, checks if the above swap is possible via any of the supported pools. * Only populates the `minAmountOut` and `rawParams` fields, unless no trade path is found between the tokens. * Other fields are supposed to be populated in the caller function. */ function _getAmountOut( LimitedToken memory tokenIn, address tokenOut, uint256 amountIn, bool performQuoteCall ) internal view returns (SwapQuery memory query) { // If token addresses match, no action is required whatsoever. if (tokenIn.token == tokenOut) { // Form a SynapseRouter-compatible struct indicating no action is required. // Set amountOut to PATH_FOUND if we are only interested in whether the swap is possible query.minAmountOut = performQuoteCall ? amountIn : PATH_FOUND; // query.rawParams is "", indicating that no further action is required return query; } uint256 actionMask = tokenIn.actionMask; // Check if ETH <> WETH (Action.HandleEth) could fulfill tokenIn -> tokenOut request. _checkHandleETH(tokenIn.token, tokenOut, amountIn, query, actionMask, performQuoteCall); uint256 amount = poolsAmount(); // Struct to get around stack-too-deep error Pool memory _pool; for (uint256 i = 0; i < amount; ++i) { _pool.pool = _pools.at(i); _pool.lpToken = _poolLpToken[_pool.pool]; (uint8 indexIn, uint8 indexOut) = _getTokenIndexes(_pool.pool, tokenIn.token, tokenOut); if (indexIn != 0 && indexOut != 0) { // tokenIn, tokenOut are pool tokens: Action.Swap is required _checkSwapQuote(_pool.pool, indexIn, indexOut, amountIn, query, actionMask, performQuoteCall); } else if (tokenIn.token == _pool.lpToken && indexOut != 0) { // tokenIn is pool's LP Token, tokenOut is pool token: Action.RemoveLiquidity is required _checkRemoveLiquidityQuote(_pool.pool, indexOut, amountIn, query, actionMask, performQuoteCall); } else if (indexIn != 0 && tokenOut == _pool.lpToken) { // tokenIn is pool token, tokenOut is pool's LP token: Action.AddLiquidity is required _checkAddLiquidityQuote(_pool.pool, indexIn, amountIn, query, actionMask, performQuoteCall); } } } /** * @notice Returns a list of all supported pools. */ function allPools() external view override returns (Pool[] memory pools) { uint256 amount = poolsAmount(); pools = new Pool[](amount); for (uint256 i = 0; i < amount; ++i) { address pool = _pools.at(i); pools[i] = Pool({pool: pool, lpToken: _poolLpToken[pool], tokens: _poolTokens[pool]}); } } /** * @notice Returns a list of pool tokens for the given pool. */ function poolTokens(address pool) external view override returns (PoolToken[] memory tokens) { tokens = _poolTokens[pool]; } /** * @notice Returns the amount of tokens the given pool supports and the pool's LP token. */ function poolInfo(address pool) external view override returns (uint256 tokens, address lpToken) { tokens = _poolTokens[pool].length; lpToken = _poolLpToken[pool]; } /** * @notice Returns the amount of supported pools. */ function poolsAmount() public view override returns (uint256) { return _pools.length(); } /*╔══════════════════════════════════════════════════════════════════════╗*\ ▏*║ INTERNAL VIEWS ║*▕ \*╚══════════════════════════════════════════════════════════════════════╝*/ /** * @notice Checks a swap quote for the given pool, and updates `query` if output amount is better. * @dev Won't do anything if Action.Swap is not included in `actionMask`. */ function _checkSwapQuote( address pool, uint8 indexIn, uint8 indexOut, uint256 amountIn, SwapQuery memory query, uint256 actionMask, bool performQuoteCall ) internal view { // Don't do anything if we haven't specified Swap as possible action if (!actionMask.includes(Action.Swap)) return; uint8 tokenIndexFrom = indexIn - 1; uint8 tokenIndexTo = indexOut - 1; // Set amountOut to PATH_FOUND if we are only interested in whether the swap is possible uint256 amountOut = performQuoteCall ? _calculateSwap(pool, tokenIndexFrom, tokenIndexTo, amountIn) : PATH_FOUND; // We want to return the best available quote if (amountOut > query.minAmountOut) { query.minAmountOut = amountOut; // Encode params for swapping via the current pool: specify indexFrom and indexTo query.rawParams = abi.encode(SynapseParams(Action.Swap, pool, tokenIndexFrom, tokenIndexTo)); } } /** * @notice Checks a quote for adding liquidity to the given pool, and updates `query` if output amount is better. * This is the equivalent of tokenIn -> LPToken swap. * @dev Won't do anything if Action.AddLiquidity is not included in `actionMask`. */ function _checkAddLiquidityQuote( address pool, uint8 indexIn, uint256 amountIn, SwapQuery memory query, uint256 actionMask, bool performQuoteCall ) internal view { // Don't do anything if we haven't specified AddLiquidity as possible action if (!actionMask.includes(Action.AddLiquidity)) return; uint8 tokenIndexFrom = indexIn - 1; // Set amountOut to PATH_FOUND if we are only interested in whether the swap is possible uint256 amountOut = performQuoteCall ? _calculateAdd(pool, tokenIndexFrom, amountIn) : PATH_FOUND; // We want to return the best available quote if (amountOut > query.minAmountOut) { query.minAmountOut = amountOut; // Encode params for depositing to the current pool: specify indexFrom, indexTo = -1 query.rawParams = abi.encode(SynapseParams(Action.AddLiquidity, pool, tokenIndexFrom, type(uint8).max)); } } /** * @notice Checks a withdrawal quote for the given pool, and updates `query` if output amount is better. * This is the equivalent of LPToken -> tokenOut swap. * @dev Won't do anything if Action.RemoveLiquidity is not included in `actionMask`. */ function _checkRemoveLiquidityQuote( address pool, uint8 indexOut, uint256 amountIn, SwapQuery memory query, uint256 actionMask, bool performQuoteCall ) internal view { // Don't do anything if we haven't specified RemoveLiquidity as possible action if (!actionMask.includes(Action.RemoveLiquidity)) return; uint8 tokenIndexTo = indexOut - 1; // Set amountOut to PATH_FOUND if we are only interested in whether the swap is possible uint256 amountOut = performQuoteCall ? _calculateRemove(pool, tokenIndexTo, amountIn) : PATH_FOUND; // We want to return the best available quote if (amountOut > query.minAmountOut) { query.minAmountOut = amountOut; // Encode params for withdrawing from the current pool: indexFrom = -1, specify indexTo query.rawParams = abi.encode(SynapseParams(Action.RemoveLiquidity, pool, type(uint8).max, tokenIndexTo)); } } /** * @notice Checks if a "handle ETH" operation is possible between two given tokens. * That would be either unwrapping WETh into native ETH, or wrapping ETH into WETH. * @dev Won't do anything if Action.HandleEth is not included in `actionMask`. */ function _checkHandleETH( address tokenIn, address tokenOut, uint256 amountIn, SwapQuery memory query, uint256 actionMask, bool performQuoteCall ) internal view { // Don't do anything if we haven't specified HandleEth as possible action if (!actionMask.includes(Action.HandleEth)) return; if ( (tokenIn == UniversalToken.ETH_ADDRESS && tokenOut == weth) || (tokenIn == weth && tokenOut == UniversalToken.ETH_ADDRESS) ) { // Set amountOut to PATH_FOUND if we are only interested in whether the swap is possible query.minAmountOut = performQuoteCall ? amountIn : PATH_FOUND; // Params for handling ETH: there is no pool, use -1 as indexes query.rawParams = abi.encode(SynapseParams(Action.HandleEth, address(0), type(uint8).max, type(uint8).max)); } } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <0.8.0; import "../utils/Context.sol"; /** * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * By default, the owner account will be the one that deploys the contract. This * can later be changed with {transferOwnership}. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ abstract contract Ownable is Context { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor () internal { address msgSender = _msgSender(); _owner = msgSender; emit OwnershipTransferred(address(0), msgSender); } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { require(owner() == _msgSender(), "Ownable: caller is not the owner"); _; } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions anymore. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby removing any functionality that is only available to the owner. */ function renounceOwnership() public virtual onlyOwner { emit OwnershipTransferred(_owner, address(0)); _owner = address(0); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); emit OwnershipTransferred(_owner, newOwner); _owner = newOwner; } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <0.8.0; /** * @dev Wrappers over Solidity's arithmetic operations with added overflow * checks. * * Arithmetic operations in Solidity wrap on overflow. This can easily result * in bugs, because programmers usually assume that an overflow raises an * error, which is the standard behavior in high level programming languages. * `SafeMath` restores this intuition by reverting the transaction when an * operation overflows. * * Using this library instead of the unchecked operations eliminates an entire * class of bugs, so it's recommended to use it always. */ library SafeMath { /** * @dev Returns the addition of two unsigned integers, with an overflow flag. * * _Available since v3.4._ */ function tryAdd(uint256 a, uint256 b) internal pure returns (bool, uint256) { uint256 c = a + b; if (c < a) return (false, 0); return (true, c); } /** * @dev Returns the substraction of two unsigned integers, with an overflow flag. * * _Available since v3.4._ */ function trySub(uint256 a, uint256 b) internal pure returns (bool, uint256) { if (b > a) return (false, 0); return (true, a - b); } /** * @dev Returns the multiplication of two unsigned integers, with an overflow flag. * * _Available since v3.4._ */ function tryMul(uint256 a, uint256 b) internal pure returns (bool, uint256) { // Gas optimization: this is cheaper than requiring 'a' not being zero, but the // benefit is lost if 'b' is also tested. // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522 if (a == 0) return (true, 0); uint256 c = a * b; if (c / a != b) return (false, 0); return (true, c); } /** * @dev Returns the division of two unsigned integers, with a division by zero flag. * * _Available since v3.4._ */ function tryDiv(uint256 a, uint256 b) internal pure returns (bool, uint256) { if (b == 0) return (false, 0); return (true, a / b); } /** * @dev Returns the remainder of dividing two unsigned integers, with a division by zero flag. * * _Available since v3.4._ */ function tryMod(uint256 a, uint256 b) internal pure returns (bool, uint256) { if (b == 0) return (false, 0); return (true, a % b); } /** * @dev Returns the addition of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `+` operator. * * Requirements: * * - Addition cannot overflow. */ function add(uint256 a, uint256 b) internal pure returns (uint256) { uint256 c = a + b; require(c >= a, "SafeMath: addition overflow"); return c; } /** * @dev Returns the subtraction of two unsigned integers, reverting on * overflow (when the result is negative). * * Counterpart to Solidity's `-` operator. * * Requirements: * * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b) internal pure returns (uint256) { require(b <= a, "SafeMath: subtraction overflow"); return a - b; } /** * @dev Returns the multiplication of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `*` operator. * * Requirements: * * - Multiplication cannot overflow. */ function mul(uint256 a, uint256 b) internal pure returns (uint256) { if (a == 0) return 0; uint256 c = a * b; require(c / a == b, "SafeMath: multiplication overflow"); return c; } /** * @dev Returns the integer division of two unsigned integers, reverting on * division by zero. The result is rounded towards zero. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function div(uint256 a, uint256 b) internal pure returns (uint256) { require(b > 0, "SafeMath: division by zero"); return a / b; } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * reverting when dividing by zero. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b) internal pure returns (uint256) { require(b > 0, "SafeMath: modulo by zero"); return a % b; } /** * @dev Returns the subtraction of two unsigned integers, reverting with custom message on * overflow (when the result is negative). * * CAUTION: This function is deprecated because it requires allocating memory for the error * message unnecessarily. For custom revert reasons use {trySub}. * * Counterpart to Solidity's `-` operator. * * Requirements: * * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b <= a, errorMessage); return a - b; } /** * @dev Returns the integer division of two unsigned integers, reverting with custom message on * division by zero. The result is rounded towards zero. * * CAUTION: This function is deprecated because it requires allocating memory for the error * message unnecessarily. For custom revert reasons use {tryDiv}. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b > 0, errorMessage); return a / b; } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * reverting with custom message when dividing by zero. * * CAUTION: This function is deprecated because it requires allocating memory for the error * message unnecessarily. For custom revert reasons use {tryMod}. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b > 0, errorMessage); return a % b; } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <0.8.0; import "../../utils/Context.sol"; import "./IERC20.sol"; import "../../math/SafeMath.sol"; /** * @dev Implementation of the {IERC20} interface. * * This implementation is agnostic to the way tokens are created. This means * that a supply mechanism has to be added in a derived contract using {_mint}. * For a generic mechanism see {ERC20PresetMinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin guidelines: functions revert instead * of returning `false` on failure. This behavior is nonetheless conventional * and does not conflict with the expectations of ERC20 applications. * * Additionally, an {Approval} event is emitted on calls to {transferFrom}. * This allows applications to reconstruct the allowance for all accounts just * by listening to said events. Other implementations of the EIP may not emit * these events, as it isn't required by the specification. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ contract ERC20 is Context, IERC20 { using SafeMath for uint256; mapping (address => uint256) private _balances; mapping (address => mapping (address => uint256)) private _allowances; uint256 private _totalSupply; string private _name; string private _symbol; uint8 private _decimals; /** * @dev Sets the values for {name} and {symbol}, initializes {decimals} with * a default value of 18. * * To select a different value for {decimals}, use {_setupDecimals}. * * All three of these values are immutable: they can only be set once during * construction. */ constructor (string memory name_, string memory symbol_) public { _name = name_; _symbol = symbol_; _decimals = 18; } /** * @dev Returns the name of the token. */ function name() public view virtual returns (string memory) { return _name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view virtual returns (string memory) { return _symbol; } /** * @dev Returns the number of decimals used to get its user representation. * For example, if `decimals` equals `2`, a balance of `505` tokens should * be displayed to a user as `5,05` (`505 / 10 ** 2`). * * Tokens usually opt for a value of 18, imitating the relationship between * Ether and Wei. This is the value {ERC20} uses, unless {_setupDecimals} is * called. * * NOTE: This information is only used for _display_ purposes: it in * no way affects any of the arithmetic of the contract, including * {IERC20-balanceOf} and {IERC20-transfer}. */ function decimals() public view virtual returns (uint8) { return _decimals; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view virtual override returns (uint256) { return _totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view virtual override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `recipient` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer(address recipient, uint256 amount) public virtual override returns (bool) { _transfer(_msgSender(), recipient, amount); return true; } /** * @dev See {IERC20-allowance}. */ function allowance(address owner, address spender) public view virtual override returns (uint256) { return _allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 amount) public virtual override returns (bool) { _approve(_msgSender(), spender, amount); return true; } /** * @dev See {IERC20-transferFrom}. * * Emits an {Approval} event indicating the updated allowance. This is not * required by the EIP. See the note at the beginning of {ERC20}. * * Requirements: * * - `sender` and `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. * - the caller must have allowance for ``sender``'s tokens of at least * `amount`. */ function transferFrom(address sender, address recipient, uint256 amount) public virtual override returns (bool) { _transfer(sender, recipient, amount); _approve(sender, _msgSender(), _allowances[sender][_msgSender()].sub(amount, "ERC20: transfer amount exceeds allowance")); return true; } /** * @dev Atomically increases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. */ function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) { _approve(_msgSender(), spender, _allowances[_msgSender()][spender].add(addedValue)); return true; } /** * @dev Atomically decreases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. * - `spender` must have allowance for the caller of at least * `subtractedValue`. */ function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) { _approve(_msgSender(), spender, _allowances[_msgSender()][spender].sub(subtractedValue, "ERC20: decreased allowance below zero")); return true; } /** * @dev Moves tokens `amount` from `sender` to `recipient`. * * This is internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `sender` cannot be the zero address. * - `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. */ function _transfer(address sender, address recipient, uint256 amount) internal virtual { require(sender != address(0), "ERC20: transfer from the zero address"); require(recipient != address(0), "ERC20: transfer to the zero address"); _beforeTokenTransfer(sender, recipient, amount); _balances[sender] = _balances[sender].sub(amount, "ERC20: transfer amount exceeds balance"); _balances[recipient] = _balances[recipient].add(amount); emit Transfer(sender, recipient, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements: * * - `to` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: mint to the zero address"); _beforeTokenTransfer(address(0), account, amount); _totalSupply = _totalSupply.add(amount); _balances[account] = _balances[account].add(amount); emit Transfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: burn from the zero address"); _beforeTokenTransfer(account, address(0), amount); _balances[account] = _balances[account].sub(amount, "ERC20: burn amount exceeds balance"); _totalSupply = _totalSupply.sub(amount); emit Transfer(account, address(0), amount); } /** * @dev Sets `amount` as the allowance of `spender` over the `owner` s tokens. * * This internal function is equivalent to `approve`, and can be used to * e.g. set automatic allowances for certain subsystems, etc. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. */ function _approve(address owner, address spender, uint256 amount) internal virtual { require(owner != address(0), "ERC20: approve from the zero address"); require(spender != address(0), "ERC20: approve to the zero address"); _allowances[owner][spender] = amount; emit Approval(owner, spender, amount); } /** * @dev Sets {decimals} to a value other than the default one of 18. * * WARNING: This function should only be called from the constructor. Most * applications that interact with token contracts will not expect * {decimals} to ever change, and may work incorrectly if it does. */ function _setupDecimals(uint8 decimals_) internal virtual { _decimals = decimals_; } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be to transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer(address from, address to, uint256 amount) internal virtual { } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @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 `recipient`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address recipient, 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 `sender` to `recipient` 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 sender, address recipient, uint256 amount) external returns (bool); /** * @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); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <0.8.0; import "./IERC20.sol"; import "../../math/SafeMath.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 SafeMath for uint256; using Address for address; function safeTransfer(IERC20 token, address to, uint256 value) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value)); } 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' // solhint-disable-next-line max-line-length 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)); } function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal { uint256 newAllowance = token.allowance(address(this), spender).add(value); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal { uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero"); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } /** * @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"); if (returndata.length > 0) { // Return data is optional // solhint-disable-next-line max-line-length require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed"); } } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.2 <0.8.0; /** * @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 * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize, which returns 0 for contracts in // construction, since the code is only stored at the end of the // constructor execution. uint256 size; // solhint-disable-next-line no-inline-assembly assembly { size := extcodesize(account) } return size > 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://diligence.consensys.net/posts/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.5.11/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"); // solhint-disable-next-line avoid-low-level-calls, avoid-call-value (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 functionCall(target, data, "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"); require(isContract(target), "Address: call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.call{ value: value }(data); return _verifyCallResult(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) { require(isContract(target), "Address: static call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.staticcall(data); return _verifyCallResult(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) { require(isContract(target), "Address: delegate call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.delegatecall(data); return _verifyCallResult(success, returndata, errorMessage); } function _verifyCallResult(bool success, bytes memory returndata, string memory errorMessage) private pure returns(bytes memory) { if (success) { return returndata; } else { // 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 // solhint-disable-next-line no-inline-assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <0.8.0; /* * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with GSN meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract Context { function _msgSender() internal view virtual returns (address payable) { return msg.sender; } function _msgData() internal view virtual returns (bytes memory) { this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691 return msg.data; } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <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. * * ``` * 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. */ 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; // When the value to delete is the last one, the swap operation is unnecessary. However, since this occurs // so rarely, we still do the swap anyway to avoid the gas cost of adding an 'if' statement. 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] = toDeleteIndex + 1; // All indexes are 1-based // 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) { require(set._values.length > index, "EnumerableSet: index out of bounds"); return set._values[index]; } // 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); } // 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)))); } // 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 on 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)); } }
{ "remappings": [ "@boringcrypto/=node_modules/@boringcrypto/", "@ensdomains/=node_modules/@ensdomains/", "@openzeppelin/=node_modules/@openzeppelin/", "ds-test/=lib/forge-std/lib/ds-test/src/", "eth-gas-reporter/=node_modules/eth-gas-reporter/", "forge-std/=lib/forge-std/src/", "hardhat-deploy/=node_modules/hardhat-deploy/", "hardhat/=node_modules/hardhat/", "sol-explore/=node_modules/sol-explore/", "solmate/=lib/solmate/src/", "synthetix/=node_modules/synthetix/" ], "optimizer": { "enabled": true, "runs": 200 }, "metadata": { "bytecodeHash": "ipfs" }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "evmVersion": "istanbul", "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[{"internalType":"address","name":"_synapseRouter","type":"address"},{"internalType":"address","name":"_weth","type":"address"},{"internalType":"address","name":"owner_","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"addPool","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"pools","type":"address[]"}],"name":"addPools","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"allPools","outputs":[{"components":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"address","name":"lpToken","type":"address"},{"components":[{"internalType":"bool","name":"isWeth","type":"bool"},{"internalType":"address","name":"token","type":"address"}],"internalType":"struct PoolToken[]","name":"tokens","type":"tuple[]"}],"internalType":"struct Pool[]","name":"pools","type":"tuple[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"uint256[]","name":"amounts","type":"uint256[]"}],"name":"calculateAddLiquidity","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"calculateRemoveLiquidity","outputs":[{"internalType":"uint256[]","name":"amountsOut","type":"uint256[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"uint8","name":"tokenIndexFrom","type":"uint8"},{"internalType":"uint8","name":"tokenIndexTo","type":"uint8"},{"internalType":"uint256","name":"dx","type":"uint256"}],"name":"calculateSwap","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"uint256","name":"tokenAmount","type":"uint256"},{"internalType":"uint8","name":"tokenIndex","type":"uint8"}],"name":"calculateWithdrawOneToken","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"components":[{"internalType":"uint256","name":"actionMask","type":"uint256"},{"internalType":"address","name":"token","type":"address"}],"internalType":"struct LimitedToken[]","name":"tokensIn","type":"tuple[]"},{"internalType":"address","name":"tokenOut","type":"address"}],"name":"findConnectedTokens","outputs":[{"internalType":"uint256","name":"amountFound","type":"uint256"},{"internalType":"bool[]","name":"isConnected","type":"bool[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"components":[{"internalType":"uint256","name":"actionMask","type":"uint256"},{"internalType":"address","name":"token","type":"address"}],"internalType":"struct LimitedToken","name":"tokenIn","type":"tuple"},{"internalType":"address","name":"tokenOut","type":"address"},{"internalType":"uint256","name":"amountIn","type":"uint256"}],"name":"getAmountOut","outputs":[{"components":[{"internalType":"address","name":"swapAdapter","type":"address"},{"internalType":"address","name":"tokenOut","type":"address"},{"internalType":"uint256","name":"minAmountOut","type":"uint256"},{"internalType":"uint256","name":"deadline","type":"uint256"},{"internalType":"bytes","name":"rawParams","type":"bytes"}],"internalType":"struct SwapQuery","name":"query","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"poolInfo","outputs":[{"internalType":"uint256","name":"tokens","type":"uint256"},{"internalType":"address","name":"lpToken","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"poolTokens","outputs":[{"components":[{"internalType":"bool","name":"isWeth","type":"bool"},{"internalType":"address","name":"token","type":"address"}],"internalType":"struct PoolToken[]","name":"tokens","type":"tuple[]"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"poolsAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"removePool","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"synapseRouter","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"weth","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
60c06040523480156200001157600080fd5b5060405162002da738038062002da7833981016040819052620000349162000181565b600062000040620000ab565b600580546001600160a01b0319166001600160a01b0383169081179091556040519192509060009060008051602062002d87833981519152908290a3506001600160601b0319606084811b821660805283901b1660a052620000a281620000af565b50505062000268565b3390565b620000b9620000ab565b6001600160a01b0316620000cc62000172565b6001600160a01b031614620000fe5760405162461bcd60e51b8152600401620000f5906200021a565b60405180910390fd5b6001600160a01b038116620001275760405162461bcd60e51b8152600401620000f590620001d4565b6005546040516001600160a01b0380841692169060008051602062002d8783398151915290600090a3600580546001600160a01b0319166001600160a01b0392909216919091179055565b6005546001600160a01b031690565b60008060006060848603121562000196578283fd5b8351620001a3816200024f565b6020850151909350620001b6816200024f565b6040850151909250620001c9816200024f565b809150509250925092565b60208082526026908201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160408201526564647265737360d01b606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b6001600160a01b03811681146200026557600080fd5b50565b60805160601c60a05160601c612adc620002ab600039806102fd5280610cb15280610f0b52806118bc52806118f85250806108e55280610f785250612adc6000f3fe608060405234801561001057600080fd5b50600436106101165760003560e01c8063a08129ce116100a2578063c5c63e6511610071578063c5c63e6514610236578063ccc1bbc11461024b578063d914cd4b1461025e578063e6b0000914610271578063f2fde38b1461029157610116565b8063a08129ce146101da578063a9126169146101fb578063b36a4ab11461021b578063ba7d536e1461022e57610116565b8063715018a6116100e9578063715018a614610176578063798af7201461017e5780637c61e561146101915780638da5cb5b146101b15780639a7b5f11146101b957610116565b80633b7d09461461011b5780633fc8cef3146101305780634d8644961461014e578063698723ab1461016e575b600080fd5b61012e610129366004612084565b6102a4565b005b6101386102fb565b6040516101459190612522565b60405180910390f35b61016161015c3660046120a0565b61031f565b6040516101459190612983565b6101386108e3565b61012e610907565b61016161018c3660046121b6565b610990565b6101a461019f36600461214a565b610a1c565b60405161014591906125fc565b610138610aa6565b6101cc6101c7366004612084565b610ab5565b60405161014592919061298c565b6101ed6101e8366004612275565b610ae2565b6040516101459291906129a3565b61020e610209366004612084565b610bb4565b604051610145919061255a565b61012e610229366004612206565b610c40565b610161610ce3565b61023e610cf4565b604051610145919061256d565b610161610259366004612175565b610e3d565b61012e61026c366004612084565b610ec6565b61028461027f3660046123d1565b610f32565b60405161014591906128ad565b61012e61029f366004612084565b610faa565b6102ac61106b565b6001600160a01b03166102bd610aa6565b6001600160a01b0316146102ec5760405162461bcd60e51b81526004016102e390612820565b60405180910390fd5b6102f760008261106f565b5050565b7f000000000000000000000000000000000000000000000000000000000000000081565b6001600160a01b038216600090815260026020526040812054825181146103585760405162461bcd60e51b81526004016102e390612651565b610360611f92565b6040518060c001604052806000815260200160008152602001866001600160a01b0316630ba819596040518163ffffffff1660e01b815260040160206040518083038186803b1580156103b257600080fd5b505afa1580156103c6573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906103ea9190612410565b81526001600160a01b038088166000908152600360209081526040918290205482516318160ddd60e01b81529251948201949316926318160ddd926004808201939291829003018186803b15801561044157600080fd5b505afa158015610455573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104799190612410565b81526020018367ffffffffffffffff8111801561049557600080fd5b506040519080825280602002602001820160405280156104bf578160200160208202803683370190505b5081526001600160a01b038716600090815260046020908152604091829020805483518184028101840190945280845293820193909183018282801561052457602002820191906000526020600020905b815481526020019060010190808311610510575b5050505050815250905060608267ffffffffffffffff8111801561054757600080fd5b50604051908082528060200260200182016040528015610571578160200160208202803683370190505b50905060005b83811015610673576040516391ceb3eb60e01b81526001600160a01b038816906391ceb3eb906105ab908490600401612a03565b60206040518083038186803b1580156105c357600080fd5b505afa1580156105d7573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105fb9190612410565b8360800151828151811061060b57fe5b60200260200101818152505061065486828151811061062657fe5b60200260200101518460800151838151811061063e57fe5b602002602001015161108490919063ffffffff16565b82828151811061066057fe5b6020908102919091010152600101610577565b506060820151156106a45761069d61069383608001518460a001516110a9565b8360400151611181565b82526106ec565b60005b838110156106ea5760008682815181106106bd57fe5b6020026020010151116106e25760405162461bcd60e51b81526004016102e39061273a565b6001016106a7565b505b6106fd610693828460a001516110a9565b602083018190528251106107235760405162461bcd60e51b81526004016102e390612855565b606082015161073a57506020015191506108dd9050565b6000866001600160a01b0316635fd65f0f6040518163ffffffff1660e01b815260040160e06040518083038186803b15801561077557600080fd5b505afa158015610789573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107ad9190612428565b505094505050505060006107c182866112b8565b905060005b8581101561089257600061080c8660000151610806886080015185815181106107eb57fe5b602002602001015189602001516112d390919063ffffffff16565b9061130d565b905060006108496402540be40061080661084289878151811061082b57fe5b60200260200101518661133f90919063ffffffff16565b87906112d3565b90506108718187858151811061085b57fe5b602002602001015161135790919063ffffffff16565b86848151811061087d57fe5b602090810291909101015250506001016107c6565b506108ae6108a4848660a001516110a9565b8560400151611181565b60208501819052845160608601516108d59261080691906108cf9084611357565b906112d3565b955050505050505b92915050565b7f000000000000000000000000000000000000000000000000000000000000000081565b61090f61106b565b6001600160a01b0316610920610aa6565b6001600160a01b0316146109465760405162461bcd60e51b81526004016102e390612820565b6005546040516000916001600160a01b0316907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3600580546001600160a01b0319169055565b60405163a95b089f60e01b81526000906001600160a01b0386169063a95b089f906109c390879087908790600401612a11565b60206040518083038186803b1580156109db57600080fd5b505afa1580156109ef573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a139190612410565b95945050505050565b60405163797d695b60e11b81526060906001600160a01b0384169063f2fad2b690610a4b908590600401612983565b60006040518083038186803b158015610a6357600080fd5b505afa158015610a77573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610a9f9190810190612325565b9392505050565b6005546001600160a01b031690565b6001600160a01b039081166000908152600260209081526040808320546003909252909120549092911690565b81516000906060908067ffffffffffffffff81118015610b0157600080fd5b50604051908082528060200260200182016040528015610b2b578160200160208202803683370190505b509150610b36611fc8565b60005b82811015610baa57610b49612009565b878281518110610b5557fe5b60200260200101519050610b6d81886001600061137f565b9250600183604001511415610ba1578560010195506001858381518110610b9057fe5b911515602092830291909101909101525b50600101610b39565b5050509250929050565b6001600160a01b0381166000908152600260209081526040808320805482518185028101850190935280835260609492939192909184015b82821015610c35576000848152602090819020604080518082019091529084015460ff81161515825261010090046001600160a01b031681830152825260019092019101610bec565b505050509050919050565b610c4861106b565b6001600160a01b0316610c59610aa6565b6001600160a01b031614610c7f5760405162461bcd60e51b81526004016102e390612820565b8060005b81811015610cdd57610cd5848483818110610c9a57fe5b9050602002016020810190610caf9190612084565b7f00000000000000000000000000000000000000000000000000000000000000006114fe565b600101610c83565b50505050565b6000610cef600061178b565b905090565b60606000610d00610ce3565b90508067ffffffffffffffff81118015610d1957600080fd5b50604051908082528060200260200182016040528015610d5357816020015b610d40612020565b815260200190600190039081610d385790505b50915060005b81811015610e38576000610d6d8183611796565b604080516060810182526001600160a01b038084168083526000818152600360209081528582205490931683850152908152600282528381208054855181850281018501875281815296975093959486019493909290919084015b82821015610e11576000848152602090819020604080518082019091529084015460ff81161515825261010090046001600160a01b031681830152825260019092019101610dc8565b50505050815250848381518110610e2457fe5b602090810291909101015250600101610d59565b505090565b60405163342a87a160e01b81526000906001600160a01b0385169063342a87a190610e6e90869086906004016129f2565b60206040518083038186803b158015610e8657600080fd5b505afa158015610e9a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ebe9190612410565b949350505050565b610ece61106b565b6001600160a01b0316610edf610aa6565b6001600160a01b031614610f055760405162461bcd60e51b81526004016102e390612820565b610f2f817f00000000000000000000000000000000000000000000000000000000000000006114fe565b50565b610f3a611fc8565b610f47848484600161137f565b6001600160a01b0384166020820152604081015190915015610a9f5760808101515115610f9b576001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001681525b60001960608201529392505050565b610fb261106b565b6001600160a01b0316610fc3610aa6565b6001600160a01b031614610fe95760405162461bcd60e51b81526004016102e390612820565b6001600160a01b03811661100f5760405162461bcd60e51b81526004016102e3906126bd565b6005546040516001600160a01b038084169216907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a3600580546001600160a01b0319166001600160a01b0392909216919091179055565b3390565b6000610a9f836001600160a01b0384166117a2565b600082820183811015610a9f5760405162461bcd60e51b81526004016102e390612703565b815181516060919081146110cf5760405162461bcd60e51b81526004016102e390612686565b60608167ffffffffffffffff811180156110e857600080fd5b50604051908082528060200260200182016040528015611112578160200160208202803683370190505b50905060005b828110156111785761115985828151811061112f57fe5b602002602001015187838151811061114357fe5b60200260200101516112d390919063ffffffff16565b82828151811061116557fe5b6020908102919091010152600101611118565b50949350505050565b815160009081805b828110156111c1576111b78682815181106111a057fe5b60200260200101518361108490919063ffffffff16565b9150600101611189565b50806111d2576000925050506108dd565b600081816111e087866112d3565b905060005b61010081101561129f578260005b878110156112225761121861120e898d848151811061114357fe5b61080684886112d3565b91506001016111f3565b50929350839261127661125661123d836108cf8b6001611084565b6112506064610806896108cf8a84611357565b90611084565b610806866108cf611267868d6112d3565b61125060646108068b8f6112d3565b93506112828486611868565b1561129657839750505050505050506108dd565b506001016111e5565b5060405162461bcd60e51b81526004016102e390612880565b6000610a9f6112cd60046108cf856001611357565b61080685855b6000826112e2575060006108dd565b828202828482816112ef57fe5b0414610a9f5760405162461bcd60e51b81526004016102e3906127df565b600080821161132e5760405162461bcd60e51b81526004016102e3906127a8565b81838161133757fe5b049392505050565b60008183111561135257508082036108dd565b500390565b6000828211156113795760405162461bcd60e51b81526004016102e390612771565b50900390565b611387611fc8565b836001600160a01b031685602001516001600160a01b031614156113bd57816113b15760016113b3565b825b6040820152610ebe565b845160208601516113d290868685858861187f565b60006113dc610ce3565b90506113e6612020565b60005b828110156114f2576113fc600082611796565b6001600160a01b039081168084526000908152600360209081526040822054909216828501528351918b01519091829161143791908c6119bd565b915091508160ff16600014158015611451575060ff811615155b1561146c5783516114679083838c8b8b8e611a86565b6114e8565b83602001516001600160a01b03168b602001516001600160a01b0316148015611497575060ff811615155b156114ac57835161146790828b8a8a8d611b31565b60ff8216158015906114d3575083602001516001600160a01b03168a6001600160a01b0316145b156114e85783516114e890838b8a8a8d611bd3565b50506001016113e9565b50505050949350505050565b611509600083611c54565b156102f7576001600160a01b038216600090815260026020526040902080541561153357506102f7565b60005b60405162415c3360e91b81526001600160a01b038516906382b8660090611561908490600401612a03565b60206040518083038186803b15801561157957600080fd5b505afa9250505080156115a9575060408051601f3d908101601f191682019092526115a6918101906123b5565b60015b6115b2576116de565b6000816001600160a01b031663313ce5676040518163ffffffff1660e01b815260040160206040518083038186803b1580156115ed57600080fd5b505afa158015611601573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906116259190612487565b60ff169050611632612009565b506040805180820182526001600160a01b038481168189168114835260208084019182528a83166000818152600283528681208054600181018255908252838220875191018054955190961661010002610100600160a81b031991151560ff199096169590951716939093179093559181526004909152919091206116b8601284611357565b815460018101835560009283526020909220600a9190910a910155505050600101611536565b50826001600160a01b0316635fd65f0f6040518163ffffffff1660e01b815260040160e06040518083038186803b15801561171857600080fd5b505afa925050508015611748575060408051601f3d908101601f1916820190925261174591810190612428565b60015b61175157611786565b6001600160a01b03808b1660009081526003602052604090208054919092166001600160a01b03199091161790555050505050505b505050565b60006108dd82611c69565b6000610a9f8383611c6d565b6000818152600183016020526040812054801561185e57835460001980830191908101906000908790839081106117d557fe5b90600052602060002001549050808760000184815481106117f257fe5b60009182526020808320909101929092558281526001898101909252604090209084019055865487908061182257fe5b600190038181906000526020600020016000905590558660010160008781526020019081526020016000206000905560019450505050506108dd565b60009150506108dd565b60006001611876848461133f565b11159392505050565b61188a826003611cb2565b611893576119b5565b6001600160a01b03861673eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee1480156118f057507f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316856001600160a01b0316145b8061195357507f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316866001600160a01b031614801561195357506001600160a01b03851673eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee145b156119b55780611964576001611966565b835b604084810191909152805160808101825260038152600060208083019190915260ff8284018190526060830152915161199f920161293c565b60408051601f1981840301815291905260808401525b505050505050565b6001600160a01b03831660009081526002602052604081208054829190825b818160ff161015611a7b576119ef612009565b838260ff16815481106119fe57fe5b60009182526020918290206040805180820190915291015460ff8116151582526001600160a01b036101009091048116928201929092529150611a4390891682611cc8565b15611a5357816001019550611a72565b611a666001600160a01b03881682611cc8565b15611a72578160010194505b506001016119dc565b505050935093915050565b611a91826000611cb2565b611a9a57611b28565b600019808701908601600083611ab1576001611abd565b611abd8a84848a611d17565b90508560400151811115611b245760408681018290528051608081018252600081526001600160a01b038c1660208083019190915260ff80871683850152851660608301529151611b0e920161293c565b60408051601f1981840301815291905260808701525b5050505b50505050505050565b611b3c826002611cb2565b611b45576119b5565b6000198501600082611b58576001611b63565b611b63888388611d9e565b90508460400151811115611bc95760408581018290528051608081018252600281526001600160a01b038a1660208083019190915260ff828401819052851660608301529151611bb3920161293c565b60408051601f1981840301815291905260808601525b5050505050505050565b611bde826001611cb2565b611be7576119b5565b6000198501600082611bfa576001611c05565b611c05888388611e23565b90508460400151811115611bc95760408581018290528051608081018252600181526001600160a01b038a1660208083019190915260ff8086168385015260608301529151611bb3920161293c565b6000610a9f836001600160a01b038416611f18565b5490565b81546000908210611c905760405162461bcd60e51b81526004016102e39061260f565b826000018281548110611c9f57fe5b9060005260206000200154905092915050565b6000611cbd82611f62565b909216151592915050565b60006001600160a01b03831673eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee1415611cf7575080516108dd565b81602001516001600160a01b0316836001600160a01b03161490506108dd565b60405163a95b089f60e01b81526000906001600160a01b0386169063a95b089f90611d4a90879087908790600401612a11565b60206040518083038186803b158015611d6257600080fd5b505afa925050508015611d92575060408051601f3d908101601f19168201909252611d8f91810190612410565b60015b610a1357506000610ebe565b60405163342a87a160e01b81526000906001600160a01b0385169063342a87a190611dcf90859087906004016129f2565b60206040518083038186803b158015611de757600080fd5b505afa925050508015611e17575060408051601f3d908101601f19168201909252611e1491810190612410565b60015b610ebe57506000610a9f565b6001600160a01b03831660009081526002602052604081205460609067ffffffffffffffff81118015611e5557600080fd5b50604051908082528060200260200182016040528015611e7f578160200160208202803683370190505b50905082818560ff1681518110611e9257fe5b60209081029190910101526040516326c3224b60e11b81523090634d86449690611ec29088908590600401612536565b60206040518083038186803b158015611eda57600080fd5b505afa925050508015611f0a575060408051601f3d908101601f19168201909252611f0791810190612410565b60015b610a13576000915050610a9f565b6000611f248383611f7a565b611f5a575081546001818101845560008481526020808220909301849055845484825282860190935260409020919091556108dd565b5060006108dd565b6000816003811115611f7057fe5b6001901b92915050565b60009081526001919091016020526040902054151590565b6040518060c001604052806000815260200160008152602001600081526020016000815260200160608152602001606081525090565b6040518060a0016040528060006001600160a01b0316815260200160006001600160a01b031681526020016000815260200160008152602001606081525090565b604080518082019091526000808252602082015290565b6040805160608082018352600080835260208301529181019190915290565b80356108dd81612a82565b60006040828403121561205b578081fd5b6120656040612a2f565b905081358152602082013561207981612a82565b602082015292915050565b600060208284031215612095578081fd5b8135610a9f81612a82565b600080604083850312156120b2578081fd5b82356120bd81612a82565b915060208381013567ffffffffffffffff8111156120d9578283fd5b8401601f810186136120e9578283fd5b80356120fc6120f782612a56565b612a2f565b81815283810190838501858402850186018a1015612118578687fd5b8694505b8385101561213a57803583526001949094019391850191850161211c565b5080955050505050509250929050565b6000806040838503121561215c578182fd5b823561216781612a82565b946020939093013593505050565b600080600060608486031215612189578081fd5b833561219481612a82565b92506020840135915060408401356121ab81612a97565b809150509250925092565b600080600080608085870312156121cb578081fd5b84356121d681612a82565b935060208501356121e681612a97565b925060408501356121f681612a97565b9396929550929360600135925050565b60008060208385031215612218578182fd5b823567ffffffffffffffff8082111561222f578384fd5b818501915085601f830112612242578384fd5b813581811115612250578485fd5b8660208083028501011115612263578485fd5b60209290920196919550909350505050565b6000806040808486031215612288578283fd5b833567ffffffffffffffff81111561229e578384fd5b8401601f810186136122ae578384fd5b80356122bc6120f782612a56565b80828252602080830192508085018a8288870288010111156122dc578889fd5b8895505b84861015612306576122f28b8261204a565b8452600195909501949281019286016122e0565b508197506123168a828b0161203f565b96505050505050509250929050565b60006020808385031215612337578182fd5b825167ffffffffffffffff81111561234d578283fd5b8301601f8101851361235d578283fd5b805161236b6120f782612a56565b8181528381019083850185840285018601891015612387578687fd5b8694505b838510156123a957805183526001949094019391850191850161238b565b50979650505050505050565b6000602082840312156123c6578081fd5b8151610a9f81612a82565b6000806000608084860312156123e5578283fd5b6123ef858561204a565b925060408401356123ff81612a82565b929592945050506060919091013590565b600060208284031215612421578081fd5b5051919050565b600080600080600080600060e0888a031215612442578485fd5b875196506020880151955060408801519450606088015193506080880151925060a0880151915060c088015161247781612a82565b8091505092959891949750929550565b600060208284031215612498578081fd5b8151610a9f81612a97565b6000815180845260208085019450808401835b838110156124e85781518051151588528301516001600160a01b031683880152604090960195908201906001016124b6565b509495945050505050565b6000815180845260208085019450808401835b838110156124e857815187529582019590820190600101612506565b6001600160a01b0391909116815260200190565b6001600160a01b0383168152604060208201819052600090610ebe908301846124f3565b600060208252610a9f60208301846124a3565b60208082528251828201819052600091906040908185019080840286018301878501865b838110156125ee57603f19898403018552815160606125b08251612a76565b8552818901516001600160a01b03168986015290870151878501829052906125da818601836124a3565b968901969450505090860190600101612591565b509098975050505050505050565b600060208252610a9f60208301846124f3565b60208082526022908201527f456e756d657261626c655365743a20696e646578206f7574206f6620626f756e604082015261647360f01b606082015260800190565b6020808252818101527f416d6f756e7473206d757374206d6174636820706f6f6c656420746f6b656e73604082015260600190565b6020808252601f908201527f42616c616e636573206d757374206d61746368206d756c7469706c6965727300604082015260600190565b60208082526026908201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160408201526564647265737360d01b606082015260800190565b6020808252601b908201527f536166654d6174683a206164646974696f6e206f766572666c6f770000000000604082015260600190565b6020808252601e908201527f4d75737420737570706c7920616c6c20746f6b656e7320696e20706f6f6c0000604082015260600190565b6020808252601e908201527f536166654d6174683a207375627472616374696f6e206f766572666c6f770000604082015260600190565b6020808252601a908201527f536166654d6174683a206469766973696f6e206279207a65726f000000000000604082015260600190565b60208082526021908201527f536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f6040820152607760f81b606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b602080825260119082015270442073686f756c6420696e63726561736560781b604082015260600190565b6020808252601390820152724420646f6573206e6f7420636f6e766572676560681b604082015260600190565b6000602080835260018060a01b0380855116828501528082860151166040850152506040840151606084015260608401516080840152608084015160a08085015280518060c0860152835b818110156129145782810184015186820160e0015283016128f8565b81811115612925578460e083880101525b50601f01601f19169390930160e001949350505050565b815160808201906004811061294d57fe5b8083525060018060a01b03602084015116602083015260ff604084015116604083015260ff606084015116606083015292915050565b90815260200190565b9182526001600160a01b0316602082015260400190565b60006040820184835260206040818501528185518084526060860191508287019350845b818110156129e55784511515835293830193918301916001016129c7565b5090979650505050505050565b91825260ff16602082015260400190565b60ff91909116815260200190565b60ff9384168152919092166020820152604081019190915260600190565b60405181810167ffffffffffffffff81118282101715612a4e57600080fd5b604052919050565b600067ffffffffffffffff821115612a6c578081fd5b5060209081020190565b6001600160a01b031690565b6001600160a01b0381168114610f2f57600080fd5b60ff81168114610f2f57600080fdfea2646970667358221220d8f2623d5169699414e5734d12a43f9324a2487834428f2c39684140c9e8860064736f6c634300060c00338be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0000000000000000000000000c6c8e508057735cf9f173aa8cf3d3173c02825ad000000000000000000000000d203de32170130082896b4111edf825a4774c18e000000000000000000000000b73acb429ba868984c0236bdf940d4fe1e643f27
Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)
000000000000000000000000c6c8e508057735cf9f173aa8cf3d3173c02825ad000000000000000000000000d203de32170130082896b4111edf825a4774c18e000000000000000000000000b73acb429ba868984c0236bdf940d4fe1e643f27
-----Decoded View---------------
Arg [0] : _synapseRouter (address): 0xc6c8e508057735cf9f173aa8cf3d3173c02825ad
Arg [1] : _weth (address): 0xd203de32170130082896b4111edf825a4774c18e
Arg [2] : owner_ (address): 0xb73acb429ba868984c0236bdf940d4fe1e643f27
-----Encoded View---------------
3 Constructor Arguments found :
Arg [0] : 000000000000000000000000c6c8e508057735cf9f173aa8cf3d3173c02825ad
Arg [1] : 000000000000000000000000d203de32170130082896b4111edf825a4774c18e
Arg [2] : 000000000000000000000000b73acb429ba868984c0236bdf940d4fe1e643f27
Make sure to use the "Vote Down" button for any spammy posts, and the "Vote Up" for interesting conversations.