Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

improve(tasks): Update deposit route script #581

Open
wants to merge 6 commits into
base: master
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
270 changes: 163 additions & 107 deletions tasks/enableL1TokenAcrossEcosystem.ts
Original file line number Diff line number Diff line change
Expand Up @@ -3,8 +3,57 @@ import assert from "assert";
import { askYesNoQuestion, minimalSpokePoolInterface } from "./utils";
import { CHAIN_IDs, MAINNET_CHAIN_IDs, TOKEN_SYMBOLS_MAP } from "../utils/constants";

type TokenSymbol = keyof typeof TOKEN_SYMBOLS_MAP;

/**
* Given a token symbol, determine whether it is a valid key for the TOKEN_SYMBOLS_MAP object.
*/
function isTokenSymbol(symbol: unknown): symbol is TokenSymbol {
return TOKEN_SYMBOLS_MAP[symbol as TokenSymbol] !== undefined;
}

/**
* Given a token symbol from the HubPool chain and a remote chain ID, resolve the relevant token symbol and address.
*/
function resolveTokenOnChain(
mainnetSymbol: string,
chainId: number
): { symbol: TokenSymbol; address: string } | undefined {
assert(isTokenSymbol(mainnetSymbol), `Unrecognised token symbol (${mainnetSymbol})`);
let symbol = mainnetSymbol as TokenSymbol;

// Handle USDC special case where L1 USDC is mapped to different token symbols on L2s.
if (mainnetSymbol === "USDC") {
const symbols = ["USDC", "USDC.e", "USDbC", "USDzC"] as TokenSymbol[];
const tokenSymbol = symbols.find((symbol) => TOKEN_SYMBOLS_MAP[symbol]?.addresses[chainId]);
if (!isTokenSymbol(tokenSymbol)) {
return;
}
symbol = tokenSymbol;
} else if (symbol === "DAI" && chainId === CHAIN_IDs.BLAST) {
symbol = "USDB";
}

const address = TOKEN_SYMBOLS_MAP[symbol].addresses[chainId];
if (!address) {
return;
}

return { symbol, address };
}

const { ARBITRUM, OPTIMISM } = CHAIN_IDs;
const NO_SYMBOL = "----";
const NO_ADDRESS = "------------------------------------------";

// Supported mainnet chain IDs.
const enabledChainIds = Object.values(MAINNET_CHAIN_IDs);
const enabledChainIds = Object.values(MAINNET_CHAIN_IDs)
.map(Number)
.filter((chainId) => chainId !== CHAIN_IDs.BOBA)
.sort((x, y) => x - y);

const chainPadding = enabledChainIds[enabledChainIds.length - 1].toString().length;
const formatChainId = (chainId: number): string => chainId.toString().padStart(chainPadding, " ");

const getChainsFromList = (taskArgInput: string): number[] =>
taskArgInput
Expand All @@ -15,195 +64,202 @@ const getChainsFromList = (taskArgInput: string): number[] =>
task("enable-l1-token-across-ecosystem", "Enable a provided token across the entire ecosystem of supported chains")
.addFlag("execute", "Provide this flag if you would like to actually execute the transaction from the EOA")
.addParam("token", "Symbol of token to enable")
.addParam("chains", "Comma-delimited list of chains to enable the token on. Defaults to all supported chains")
.addOptionalParam("chains", "Comma-delimited list of chains to enable the token on. Defaults to all supported chains")
.addOptionalParam(
"customoptimismbridge",
"Custom token bridge to set for optimism, for example used with SNX and DAI"
)
.addOptionalParam("depositroutechains", "ChainIds to enable deposit routes for exclusively. Separated by comma.")
.setAction(async function (taskArguments, hre_) {
const hre = hre_ as any;
const matchedSymbol = Object.keys(TOKEN_SYMBOLS_MAP).find(
(symbol) => symbol === taskArguments.token
) as keyof typeof TOKEN_SYMBOLS_MAP;
assert(matchedSymbol !== undefined, `Could not find token with symbol ${taskArguments.token} in TOKEN_SYMBOLS_MAP`);
const hubPoolChainId = await hre.getChainId();
const l1Token = TOKEN_SYMBOLS_MAP[matchedSymbol].addresses[hubPoolChainId];
const { chains, token: symbol } = taskArguments;

const hubChainId = parseInt(await hre.getChainId());
if (hubChainId === 31337) {
throw new Error(`Defaulted to network \`hardhat\`; specify \`--network mainnet\` or \`--network sepolia\``);
}

const _matchedSymbol = Object.keys(TOKEN_SYMBOLS_MAP).find((_symbol) => _symbol === symbol);
assert(isTokenSymbol(_matchedSymbol));
const matchedSymbol = _matchedSymbol as TokenSymbol;

const l1Token = TOKEN_SYMBOLS_MAP[matchedSymbol].addresses[hubChainId];
assert(l1Token !== undefined, `Could not find ${symbol} in TOKEN_SYMBOLS_MAP`);

// If deposit routes chains are provided then we'll only add routes involving these chains. This is used to add new
// deposit routes to a new chain for an existing L1 token, so we also won't add a new LP token if this is defined.
const depositRouteChains = getChainsFromList(taskArguments.depositroutechains);
if (depositRouteChains.length > 0) {
console.log(`\n0. Only adding deposit routes involving chains on list ${depositRouteChains.join(", ")}`);
console.log(`\nOnly adding deposit routes involving chains on list ${depositRouteChains.join(", ")}`);
}

const hasSetConfigStore = await askYesNoQuestion(
`\nHave you setup the ConfigStore for this token? If not then this script will exit because a rate model must be set before the first deposit is sent otherwise the bots will error out`
);
if (!hasSetConfigStore) process.exit(0);

console.log(`\n0. Running task to enable L1 token over entire Across ecosystem 🌉. L1 token: ${l1Token}`);
console.log(`\nRunning task to enable L1 token over entire Across ecosystem 🌉. L1 token: ${l1Token}`);
const { deployments, ethers } = hre;
const signer = (await hre.ethers.getSigners())[0];
const [signer] = await hre.ethers.getSigners();

// Remove chainIds that are in the ignore list.
let inputChains: number[] = [];
try {
const parsedChains: string[] = taskArguments.chains.split(",");
inputChains = parsedChains.map((x) => Number(x));
inputChains = (chains?.split(",") ?? enabledChainIds).map(Number);
console.log(`\nParsed 'chains' argument:`, inputChains);
} catch (error) {
throw new Error(
`Failed to parse 'chains' argument ${taskArguments.chains} as a comma-separated list of numbers.`
);
throw new Error(`Failed to parse 'chains' argument ${chains} as a comma-separated list of numbers.`);
}
if (inputChains.length === 0) inputChains = enabledChainIds;
else if (inputChains.some((chain) => isNaN(chain) || !Number.isInteger(chain) || chain < 0)) {
throw new Error(`Invalid chains list: ${inputChains}`);
}
const chainIds = enabledChainIds.filter((chainId) => inputChains.includes(chainId));

console.log("\n1. Loading L2 companion token address for provided L1 token.");
const tokens = await Promise.all(
console.log("\nLoading L2 companion token address for provided L1 token.");
const tokens = Object.fromEntries(
chainIds.map((chainId) => {
// Handle USDC special case where L1 USDC is mapped to different token symbols on L2s.
if (matchedSymbol === "USDC") {
const symbols = ["USDC", "USDC.e", "USDbC", "USDzC"] as (keyof typeof TOKEN_SYMBOLS_MAP)[];
const symbol = symbols.find((symbol) => TOKEN_SYMBOLS_MAP[symbol].addresses[chainId]);
if (!symbol) {
throw new Error(
`Could not find TOKEN_SYMBOLS_MAP mapping on chain ${chainId} for any of ${symbols.join(", ")}`
);
}
return TOKEN_SYMBOLS_MAP[symbol].addresses[chainId];
} else if (matchedSymbol === "DAI" && chainId === CHAIN_IDs.BLAST) {
return TOKEN_SYMBOLS_MAP.USDB.addresses[chainId]; // DAI maps to USDB on Blast.
const token = resolveTokenOnChain(matchedSymbol, chainId);
if (token === undefined) {
return [chainId, { symbol: NO_SYMBOL, address: NO_ADDRESS }];
}

const l2Address = TOKEN_SYMBOLS_MAP[matchedSymbol].addresses[chainId];
if (l2Address === undefined) {
throw new Error(`Could not find token address on chain ${chainId} in TOKEN_SYMBOLS_MAP`);
}
return l2Address;
const { symbol, address } = token;
return [chainId, { symbol: symbol as string, address }];
})
);

console.table(
chainIds.map((chainId, index) => {
return {
chainId,
address: tokens[index],
};
}),
["chainId", "address"]
Object.entries(tokens).map(([_chainId, { symbol, address }]) => ({ chainId: Number(_chainId), symbol, address })),
["chainId", "symbol", "address"]
);

// Check the user is ok with the token addresses provided. If not, abort.
if (!(await askYesNoQuestion("\n2. Do these token addresses match your expectations?"))) process.exit(0);
if (!(await askYesNoQuestion("\nDo these token addresses match your expectations?"))) process.exit(0);

// Construct an ethers contract to access the `interface` prop to create encoded function calls.
const hubPoolDeployment = await deployments.get("HubPool");
const hubPool = new ethers.Contract(hubPoolDeployment.address, hubPoolDeployment.abi, signer);

console.log("\n4. Constructing calldata to enable these tokens. Using HubPool at address:", hubPool.address);
console.log(`\nConstructing calldata to enable these tokens. Using HubPool at address: ${hubPool.address}`);

// Construct calldata to enable these tokens.
const callData = [];

// If deposit route chains are defined then we don't want to add a new LP token:
if (depositRouteChains.length === 0) {
console.log("\n5. Adding calldata to enable liquidity provision on", l1Token);
console.log(`\nAdding calldata to enable liquidity provision on ${l1Token}`);
callData.push(hubPool.interface.encodeFunctionData("enableL1TokenForLiquidityProvision", [l1Token]));
} else {
depositRouteChains.forEach((chainId) =>
assert(tokens[chainId].symbol !== NO_SYMBOL, `Token ${symbol} is not defined for chain ${chainId}`)
);
}

console.log("\n6. Adding calldata to enable routes between all chains and tokens:");
console.log("\nAdding calldata to enable routes between all chains and tokens:");
let i = 0; // counter for logging.
chainIds.forEach((fromId, fromIndex) => {
chainIds.forEach((toId, _) => {
if (fromId === toId) return;
const skipped: { [originChainId: number]: number[] } = {};
const routeChainIds = Object.keys(tokens).map(Number);
routeChainIds.forEach((fromId) => {
const formattedFromId = formatChainId(fromId);
const { symbol, address: inputToken } = tokens[fromId];
skipped[fromId] = [];
routeChainIds.forEach((toId) => {
if (fromId === toId || [fromId, toId].some((chainId) => tokens[chainId].symbol === NO_SYMBOL)) {
return;
}

// If deposit route chains are defined, only add route if it involves a chain on that list
if (
depositRouteChains.length === 0 ||
depositRouteChains.includes(toId) ||
depositRouteChains.includes(fromId)
) {
console.log(`\t 6.${++i}\t Adding calldata for token ${tokens[fromIndex]} for route ${fromId} -> ${toId}`);
callData.push(
hubPool.interface.encodeFunctionData("setDepositRoute", [fromId, toId, tokens[fromIndex], true])
);
const n = (++i).toString().padStart(2, " ");
console.log(`\t${n} Added route for ${inputToken} from ${formattedFromId} -> ${formatChainId(toId)}.`);
callData.push(hubPool.interface.encodeFunctionData("setDepositRoute", [fromId, toId, inputToken, true]));
} else {
console.log(
`\t\t Skipping route ${fromId} -> ${toId} because it doesn't involve a chain on the exclusive list`
);
skipped[fromId].push(toId);
}
});
});
console.log("");

Object.entries(skipped).forEach(([srcChainId, dstChainIds]) => {
if (dstChainIds.length > 0) {
const { address: inputToken } = tokens[srcChainId];
console.log(`\tSkipped route for ${inputToken} on chains ${srcChainId} -> ${dstChainIds.join(", ")}.`);
}
});

// If deposit route chains are defined then we don't want to add a new PoolRebalanceRoute
if (depositRouteChains.length === 0) {
console.log("\n7. Adding calldata to set the pool rebalance route for the respective destination tokens:");
let j = 0; // counter for logging.
chainIds.forEach((toId, toIndex) => {
// If deposit route chains are defined, only add route if it involves a chain on that list
if (depositRouteChains.length === 0 || depositRouteChains.includes(toId)) {
console.log(`\t 7.${++j}\t Adding calldata for rebalance route for L2Token ${tokens[toIndex]} on ${toId}`);
callData.push(
hubPool.interface.encodeFunctionData("setPoolRebalanceRoute", [toId, l1Token, tokens[toIndex]])
);
} else {
console.log(
`\t\t Skipping pool rebalance rout -> ${toId} because it doesn't involve a chain on the exclusive list`
);
}
});
console.log("\nAdding calldata to set the pool rebalance route for the respective destination tokens:");
i = 0; // counter for logging.
const rebalanceRoutesSkipped: number[] = [];
chainIds.forEach((toId) => {
const destinationToken = tokens[toId].address;
if (destinationToken === NO_ADDRESS) {
return;
}

// We only need to whitelist an Arbitrum token on the SpokePool if we're setting up a pool rebalance route between
// mainnet and Arbitrum, so if deposit route chains are set then no need to do this.
if (chainIds.includes(42161)) {
const arbitrumToken = tokens[chainIds.indexOf(42161)];
// If deposit route chains are defined, only add route if it involves a chain on that list
if (depositRouteChains.length === 0 || depositRouteChains.includes(toId)) {
const n = (++i).toString().padStart(2, " ");
console.log(
`\n8. Adding call data to whitelist L2 ${arbitrumToken} -> L1 token ${l1Token} on Arbitrum. This is only needed on this chain`
);

// Address doesn't matter, we only want the interface.
const spokePool = new ethers.Contract(hubPoolDeployment.address, minimalSpokePoolInterface, signer);
// Find the address of the Arbitrum representation of this token. Construct whitelistToken call to send to the
// Arbitrum spoke pool via the relaySpokeAdminFunction call.
const whitelistTokenCallData = spokePool.interface.encodeFunctionData("whitelistToken", [
arbitrumToken,
l1Token,
]);
callData.push(
hubPool.interface.encodeFunctionData("relaySpokePoolAdminFunction", [42161, whitelistTokenCallData])
`\t${n} Setting rebalance route for chain ${symbol} ${hubChainId} -> ${destinationToken} on ${toId}.`
);
callData.push(hubPool.interface.encodeFunctionData("setPoolRebalanceRoute", [toId, l1Token, destinationToken]));
} else {
rebalanceRoutesSkipped.push(toId);
}
});

// Add optimism setTokenBridge call if the token has a custom bridge needed to get to mainnet.
if (chainIds.includes(10) && taskArguments.customoptimismbridge) {
console.log("\n9. Adding call data to set custom Optimism bridge.");

// Address doesn't matter, we only want the interface:
const spokePool = new ethers.Contract(hubPoolDeployment.address, minimalSpokePoolInterface, signer);
const optimismToken = tokens[chainIds.indexOf(10)];
const setTokenBridgeCallData = spokePool.interface.encodeFunctionData("setTokenBridge", [
optimismToken,
taskArguments.customoptimismbridge,
]);
callData.push(
hubPool.interface.encodeFunctionData("relaySpokePoolAdminFunction", [10, setTokenBridgeCallData])
);
}
if (rebalanceRoutesSkipped.length > 0) {
console.log(`\n\tSkipped pool rebalance routes ${hubChainId} -> ${rebalanceRoutesSkipped.join(", ")}.`);
}

// We only need to whitelist an Arbitrum token on the SpokePool if we're setting up a pool rebalance route between
// mainnet and Arbitrum, so if deposit route chains are set then no need to do this.
if (depositRouteChains.includes(ARBITRUM)) {
const arbitrumToken = tokens[ARBITRUM].address;
console.log(
`\nAdding call data to whitelist L2 ${arbitrumToken} -> L1 token ${l1Token} on Arbitrum.` +
" This is only needed on this chain."
);

// Address doesn't matter, we only want the interface.
const spokePool = new ethers.Contract(hubPoolDeployment.address, minimalSpokePoolInterface, signer);
// Find the address of the Arbitrum representation of this token. Construct whitelistToken call to send to the
// Arbitrum spoke pool via the relaySpokeAdminFunction call.
const whitelistTokenCallData = spokePool.interface.encodeFunctionData("whitelistToken", [arbitrumToken, l1Token]);
callData.push(
hubPool.interface.encodeFunctionData("relaySpokePoolAdminFunction", [ARBITRUM, whitelistTokenCallData])
);
}

// Add optimism setTokenBridge call if the token has a custom bridge needed to get to mainnet.
if (depositRouteChains.includes(OPTIMISM) && taskArguments.customoptimismbridge) {
console.log("\nAdding call data to set custom Optimism bridge.");

// Address doesn't matter, we only want the interface:
const spokePool = new ethers.Contract(hubPoolDeployment.address, minimalSpokePoolInterface, signer);
const optimismToken = tokens[OPTIMISM].address;
const setTokenBridgeCallData = spokePool.interface.encodeFunctionData("setTokenBridge", [
optimismToken,
taskArguments.customoptimismbridge,
]);
callData.push(
hubPool.interface.encodeFunctionData("relaySpokePoolAdminFunction", [OPTIMISM, setTokenBridgeCallData])
);
}

console.log(`\n10. ***DONE.***\nCalldata to enable desired token has been constructed!`);
console.log(`\n***DONE.***\nCalldata to enable desired token has been constructed!`);
console.log(
`CallData contains ${callData.length} transactions, which can be sent in one multicall to hub pool @ ${hubPoolDeployment.address}🚀`
);
console.log(JSON.stringify(callData).replace(/"/g, ""));

if (taskArguments.execute && callData.length > 0) {
console.log(`\n10. --execute provided. Trying to execute this on mainnet.`);
console.log(`\n--execute provided. Trying to execute this on mainnet.`);
const { hash } = await hubPool.multicall(callData);
console.log(`\nTransaction hash: ${hash}`);
}
Expand Down
Loading