();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: locks, isPending: isPendingLocks } = useLocks(\n params?.accountId,\n collateralType?.address\n );\n\n return (\n \n
\n \n Escrowed SNX\n \n
\n\n {collateralType?.symbol === 'SNX' && (\n
\n All SNX rewards on V2 are subject to a 12-month escrow time-lock. Escrowed SNX is\n automatically locked and will continue to earn rewards. After a 12-month lock,\n this SNX can be unlocked and withdrawn .\n \n )}\n\n
\n \n \n \n Unlocking Date\n \n \n {collateralType?.displaySymbol ?? params.collateralSymbol} Amount\n \n \n \n {collateralType && !isPendingLocks && locks ? (\n \n {locks.map((lock) => (\n \n \n \n {intlFormat(lock.expirationDate, {\n year: 'numeric',\n month: 'short',\n day: 'numeric',\n })}\n \n \n \n \n \n \n \n \n ))}\n \n ) : null}\n
\n\n {isPendingLocks ?
: null}\n {!isPendingLocks && !locks?.length ? (\n
\n No Escrowed {collateralType?.displaySymbol ?? params.collateralSymbol}\n \n ) : null}\n\n
\n Close\n \n
\n );\n};\n","import { contractsHash } from '@snx-v3/tsHelpers';\nimport { Network, useNetwork, useProviderForChain } from '@snx-v3/useBlockchain';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useQuery } from '@tanstack/react-query';\nimport { BigNumber, ethers } from 'ethers';\n\nexport function useLocks(accountId?: string, collateralType?: string, customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n const { data: CoreProxy } = useCoreProxy(targetNetwork);\n const provider = useProviderForChain(targetNetwork);\n\n return useQuery({\n enabled: Boolean(provider && CoreProxy && accountId && collateralType),\n queryKey: [\n `${targetNetwork?.id}-${targetNetwork?.preset}`,\n 'Locks',\n { contractsHash: contractsHash([CoreProxy]), accountId, collateralType },\n ],\n queryFn: async () => {\n if (!(provider && CoreProxy && accountId && collateralType)) throw 'OMFG';\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n\n const locks: {\n amountD18: BigNumber;\n lockExpirationTime: BigNumber;\n }[] = await CoreProxyContract.getLocks(accountId, collateralType, 0, 100);\n\n return locks.map((lock) => ({\n timestamp: lock.lockExpirationTime,\n expirationDate: new Date(lock.lockExpirationTime.toNumber() * 1000),\n amount: lock.amountD18,\n }));\n },\n });\n}\n","export const getHealthVariant = ({\n targetCratio,\n liquidationCratio,\n cRatio,\n}: {\n liquidationCratio: number | undefined;\n targetCratio: number | undefined;\n cRatio: number | undefined;\n}) => {\n if (!liquidationCratio || !targetCratio || !cRatio) {\n return 'success';\n }\n if (cRatio <= 0) {\n return 'success';\n }\n if (cRatio < liquidationCratio) {\n return 'error';\n }\n if (cRatio < targetCratio) {\n return 'warning';\n }\n return 'success';\n};\n\nexport const ratioIsMaxUInt = (ratio: number) => ratio >= Number.MAX_SAFE_INTEGER;\n\nexport const getProgressSize = ({\n targetCratio,\n liquidationCratio,\n cRatio,\n}: {\n liquidationCratio: number | undefined;\n targetCratio: number | undefined;\n cRatio: number | undefined;\n}) => {\n if (!liquidationCratio || !targetCratio || !cRatio) {\n return 0;\n }\n\n if (cRatio < 0) {\n return 0;\n }\n\n if (cRatio >= targetCratio) {\n return 75 + (25 * (cRatio - targetCratio)) / liquidationCratio;\n }\n\n if (cRatio >= liquidationCratio) {\n return 25 + (50 * (cRatio - liquidationCratio)) / (targetCratio - liquidationCratio);\n }\n\n return (25 * cRatio) / liquidationCratio;\n};\n","import { Amount } from '@snx-v3/Amount';\nimport { wei } from '@synthetixio/wei';\nimport { FC } from 'react';\nimport { ratioIsMaxUInt } from './CRatioBar.utils';\n\nexport const CRatioAmount: FC<{\n value: number;\n}> = ({ value }) => {\n if (!value || value < 0) {\n return <>N/A>;\n }\n\n if (ratioIsMaxUInt(value)) {\n return <>Infinite>;\n }\n\n return ;\n};\n","import { Badge } from '@chakra-ui/react';\nimport { FC } from 'react';\nimport { getHealthVariant } from './CRatioBar.utils';\n\nconst badgeColors = {\n success: {\n colorScheme: 'green',\n bg: 'green.900',\n label: 'HEALTHY',\n },\n error: {\n colorScheme: 'red',\n bg: 'red.900',\n label: 'Unhealthy',\n },\n warning: {\n colorScheme: 'orange',\n bg: 'orange.900',\n label: 'MANAGE',\n },\n};\n\nexport const CRatioBadge: FC<{\n liquidationCratio: number;\n targetCratio: number;\n cRatio: number;\n}> = ({ liquidationCratio, targetCratio, cRatio }) => {\n const variant = getHealthVariant({\n targetCratio,\n liquidationCratio,\n cRatio,\n });\n return (\n \n {badgeColors[variant].label}\n \n );\n};\n","import { InfoIcon } from '@chakra-ui/icons';\nimport { Box, Text, Tooltip } from '@chakra-ui/react';\nimport { FC } from 'react';\n\nexport const LineWithText: FC<{\n left: string;\n text: string;\n tooltipText: string;\n}> = ({ left, text, tooltipText }) => {\n return (\n <>\n \n \n {text}{' '}\n \n \n \n \n \n \n >\n );\n};\n","import { InfoIcon, TriangleDownIcon, TriangleUpIcon } from '@chakra-ui/icons';\nimport { Box, Flex, Progress, Text, Tooltip } from '@chakra-ui/react';\nimport { CRatioAmount } from './CRatioAmount';\nimport { CRatioBadge } from './CRatioBadge';\nimport { getHealthVariant, getProgressSize, ratioIsMaxUInt } from './CRatioBar.utils';\nimport { LineWithText } from './LineWithText';\n\nexport function CRatioBar({\n newCRatio,\n currentCRatio,\n targetCratio,\n liquidationCratio,\n hasChanges,\n}: {\n liquidationCratio: number;\n targetCratio: number;\n currentCRatio: number;\n newCRatio: number;\n hasChanges: boolean;\n}) {\n const variant = hasChanges\n ? getHealthVariant({\n targetCratio: targetCratio,\n liquidationCratio: liquidationCratio,\n cRatio: newCRatio,\n })\n : getHealthVariant({\n targetCratio: targetCratio,\n liquidationCratio: liquidationCratio,\n cRatio: currentCRatio,\n });\n\n const newBarSize = getProgressSize({\n cRatio: newCRatio,\n targetCratio: targetCratio,\n liquidationCratio: liquidationCratio,\n });\n\n const currentBarSize = getProgressSize({\n cRatio: currentCRatio,\n targetCratio: targetCratio,\n liquidationCratio: liquidationCratio,\n });\n\n return (\n \n \n C-Ratio{' '}\n \n \n \n \n \n \n\n {hasChanges ? (\n <>\n → \n \n {!newCRatio || newCRatio < 0\n ? 'N/A'\n : ratioIsMaxUInt(newCRatio)\n ? 'Infinite'\n : `${newCRatio.toFixed(2)} %`}\n \n >\n ) : null}\n\n {(hasChanges ? newCRatio || 0 : currentCRatio) !== 0 ? (\n \n ) : null}\n \n\n \n <>\n \n \n >\n\n \n = 100 && newBarSize > 100)\n ? `update-${variant}`\n : variant\n }\n top={0}\n bottom={0}\n height=\"12px\"\n position=\"absolute\"\n margin=\"auto\"\n left=\"0\"\n width=\"100%\"\n value={Math.min(newBarSize, currentBarSize)}\n />\n = newBarSize ? `update-${variant}` : variant}\n top={0}\n bottom={0}\n height=\"12px\"\n position=\"absolute\"\n margin=\"auto\"\n width=\"100%\"\n left={`${Math.min(newBarSize, currentBarSize)}%`}\n display={newCRatio === 0 ? 'none' : 'block'}\n value={Math.abs(newBarSize - currentBarSize)}\n />\n \n\n \n {currentCRatio > 0 ? (\n <>\n \n \n >\n ) : null}\n \n \n \n );\n}\n","import { ZEROWEI } from '@snx-v3/constants';\nimport { Wei } from '@synthetixio/wei';\n\nexport function calculateCRatio(debt?: Wei, collateralValue?: Wei) {\n if (debt && collateralValue && !debt.eq(0) && !collateralValue.eq(0)) {\n return collateralValue.div(debt);\n }\n return ZEROWEI;\n}\n","import { Flex, Text } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { calculateCRatio } from '@snx-v3/calculations';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport Wei from '@synthetixio/wei';\nimport { FC } from 'react';\n\nexport const CRatioChangeStat: FC<{\n collateralChange: Wei;\n currentCollateral?: Wei;\n debtChange: Wei;\n currentDebt?: Wei;\n size?: 'sm' | 'lg';\n collateralPrice?: Wei;\n}> = ({ size, currentCollateral, currentDebt, collateralChange, debtChange, collateralPrice }) => (\n \n \n {!currentCollateral || !currentDebt || !collateralPrice ? (\n ' N/A'\n ) : currentCollateral.gt(0) && currentDebt.eq(0) ? (\n 'Infinite'\n ) : (\n \n )}\n \n\n {collateralPrice && (!collateralChange?.eq(0) || !debtChange.eq(0)) ? (\n <>\n → \n\n \n {(currentCollateral || ZEROWEI).add(collateralChange).gt(0) &&\n (currentDebt || ZEROWEI).add(debtChange).eq(0) ? (\n 'Infinite'\n ) : (\n \n )}\n \n >\n ) : null}\n \n);\n","import { Text, TextProps } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { Wei } from '@synthetixio/wei';\n\nexport function getDebtColor(debt?: Wei) {\n if (!debt) {\n return 'gray.50';\n }\n if (debt.gt(0)) {\n return 'white.500';\n }\n if (debt.lt(0)) {\n return 'green.500';\n }\n return 'white.500';\n}\n\nexport function PnlAmount({ debt, ...props }: TextProps & { debt?: Wei }) {\n return (\n \n \n \n );\n}\n\nexport function DebtAmount({ debt, ...props }: TextProps & { debt?: Wei }) {\n return (\n \n \n \n );\n}\n","import { contractsHash } from '@snx-v3/tsHelpers';\nimport { useNetwork, useProvider } from '@snx-v3/useBlockchain';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useQuery } from '@tanstack/react-query';\nimport { ethers } from 'ethers';\n\nexport function useAccountCollateralUnlockDate({ accountId }: { accountId?: string }) {\n const { data: CoreProxy } = useCoreProxy();\n const { network } = useNetwork();\n const provider = useProvider();\n\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'AccountCollateralUnlockDate',\n { accountId },\n { contractsHash: contractsHash([CoreProxy]) },\n ],\n enabled: Boolean(provider && CoreProxy && accountId),\n queryFn: async function () {\n if (!(provider && CoreProxy && accountId)) throw 'OMFG';\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n const [lastInteraction, accountTimeoutWithdraw] = await Promise.all([\n CoreProxyContract.getAccountLastInteraction(accountId),\n CoreProxyContract.getConfigUint(ethers.utils.formatBytes32String('accountTimeoutWithdraw')),\n ]);\n const collateralUnlock = lastInteraction.add(accountTimeoutWithdraw);\n return new Date(collateralUnlock.toNumber() * 1000);\n },\n });\n}\n","import { useEffect } from 'react';\nimport { useAccountCollateralUnlockDate } from '@snx-v3/useAccountCollateralUnlockDate';\nimport { useTimer } from 'react-timer-hook';\n\nexport function useWithdrawTimer(accountId: string | undefined) {\n const { data: accountCollateralUnlockDate, isLoading: isLoadingDate } =\n useAccountCollateralUnlockDate({\n accountId,\n });\n const { minutes, hours, seconds, isRunning, restart } = useTimer({\n expiryTimestamp: new Date(),\n autoStart: false,\n });\n\n useEffect(() => {\n if (accountCollateralUnlockDate && !isLoadingDate) {\n restart(accountCollateralUnlockDate, true);\n }\n }, [accountCollateralUnlockDate, isLoadingDate, restart]);\n\n return {\n minutes,\n hours,\n seconds,\n isRunning: isRunning && !![minutes, hours, seconds].find((a) => a > 0),\n accountCollateralUnlockDate,\n };\n}\n","import { TimeIcon } from '@chakra-ui/icons';\nimport {\n Box,\n Button,\n Collapse,\n Fade,\n Flex,\n Image,\n Link,\n Td,\n Text,\n Tooltip,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { CRatioAmount, CRatioBadge } from '@snx-v3/CRatioBar';\nimport { DebtAmount, PnlAmount } from '@snx-v3/DebtAmount';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useApr } from '@snx-v3/useApr';\nimport { useStataUSDCApr } from '@snx-v3/useApr/useStataUSDCApr';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useIsAndromedaStataUSDC } from '@snx-v3/useIsAndromedaStataUSDC';\nimport { type LiquidityPositionType } from '@snx-v3/useLiquidityPosition';\nimport { makeSearch, useParams } from '@snx-v3/useParams';\nimport { useWithdrawTimer } from '@snx-v3/useWithdrawTimer';\nimport React from 'react';\nimport lockIcon from './lock.svg';\n\nexport function PositionRow({ liquidityPosition }: { liquidityPosition: LiquidityPositionType }) {\n const [params, setParams] = useParams();\n const { network } = useNetwork();\n\n const isAndromedaStataUSDC = useIsAndromedaStataUSDC({\n tokenAddress: liquidityPosition.collateralType.tokenAddress,\n customNetwork: network,\n });\n\n const { minutes, hours, isRunning } = useWithdrawTimer(params.accountId);\n const { data: stataUSDCApr } = useStataUSDCApr(network?.id, network?.preset);\n\n const collateralAmount = liquidityPosition\n ? liquidityPosition.collateralAmount.add(liquidityPosition.totalLocked)\n : undefined;\n\n const collateralValue = liquidityPosition\n ? liquidityPosition.collateralValue.add(\n liquidityPosition.totalLocked.mul(liquidityPosition.collateralPrice)\n )\n : undefined;\n\n const { data: apr, isPending: isPendingApr } = useApr(network);\n const positionApr = React.useMemo(\n () =>\n apr?.find(\n (item) =>\n item.collateralType.toLowerCase() ===\n liquidityPosition?.collateralType?.tokenAddress.toLowerCase()\n ),\n [apr, liquidityPosition?.collateralType?.tokenAddress]\n );\n\n return (\n <>\n \n \n {\n e.preventDefault();\n setParams({\n page: 'position',\n collateralSymbol: liquidityPosition.collateralType.symbol,\n manageAction: liquidityPosition.debt.gt(0) ? 'repay' : 'claim',\n accountId: params.accountId,\n });\n }}\n alignItems=\"center\"\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n whiteSpace=\"nowrap\"\n >\n \n \n \n {liquidityPosition.collateralType.symbol}\n \n \n {liquidityPosition.collateralType.displaySymbol}\n \n \n \n \n \n \n \n \n \n {liquidityPosition.totalLocked.gt(0) ? (\n \n }\n >\n \n \n ) : null}\n \n \n \n \n \n \n \n \n \n \n\n {liquidityPosition.availableCollateral.gt(0) && isRunning && (\n \n \n \n )}\n \n \n {' '}\n {liquidityPosition.availableCollateral.gt(0) && !isRunning ? (\n {\n e.preventDefault();\n setParams({\n page: 'position',\n collateralSymbol: liquidityPosition.collateralType.symbol,\n manageAction: 'withdraw',\n accountId: params.accountId,\n });\n }}\n color=\"cyan.500\"\n fontFamily=\"heading\"\n fontSize=\"0.75rem\"\n lineHeight=\"1rem\"\n >\n Withdraw\n \n ) : null}\n \n \n \n \n \n \n \n {isPendingApr\n ? '~'\n : positionApr\n ? (\n positionApr.apr28d * 100 +\n (isAndromedaStataUSDC && stataUSDCApr ? stataUSDCApr : 0)\n )\n .toFixed(2)\n .concat('%')\n : '-'}\n \n \n \n \n\n \n \n {network?.preset === 'andromeda' ? (\n \n ) : (\n \n )}\n \n {liquidityPosition.debt.gt(0) ? (\n {\n e.preventDefault();\n setParams({\n page: 'position',\n collateralSymbol: liquidityPosition.collateralType.symbol,\n manageAction: 'repay',\n accountId: params.accountId,\n });\n }}\n >\n Repay Debt\n \n ) : null}\n {liquidityPosition.debt.lt(0) ? (\n {\n e.preventDefault();\n setParams({\n page: 'position',\n collateralSymbol: liquidityPosition.collateralType.symbol,\n manageAction: 'claim',\n accountId: params.accountId,\n });\n }}\n >\n Claim Credit\n \n ) : null}\n \n \n \n {network?.preset === 'andromeda' ? null : (\n \n \n \n \n \n \n \n \n \n \n )}\n \n \n {\n e.preventDefault();\n setParams({\n page: 'position',\n collateralSymbol: liquidityPosition.collateralType.symbol,\n manageAction: 'deposit',\n accountId: params.accountId,\n });\n }}\n fontSize=\"sm\"\n lineHeight=\"1.25rem\"\n height=\"2rem\"\n fontWeight={700}\n pt=\"5px\"\n pb=\"5px\"\n pl=\"12px\"\n pr=\"12px\"\n borderWidth=\"1px\"\n borderColor=\"gray.900\"\n borderRadius=\"4px\"\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n >\n Manage\n \n \n \n >\n );\n}\n","import { calculateCRatio } from '@snx-v3/calculations';\nimport { POOL_ID } from '@snx-v3/constants';\nimport { contractsHash } from '@snx-v3/tsHelpers';\nimport { Network, useNetwork, useProviderForChain } from '@snx-v3/useBlockchain';\nimport { useCollateralTypes } from '@snx-v3/useCollateralTypes';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { type LiquidityPositionType } from '@snx-v3/useLiquidityPosition';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { erc7412Call } from '@snx-v3/withERC7412';\nimport { wei } from '@synthetixio/wei';\nimport { useQuery, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\n\nconst log = debug('snx:useLiquidityPositions');\n\nexport const useLiquidityPositions = ({\n accountId,\n network: customNetwork,\n}: {\n accountId?: string;\n network?: Network;\n}) => {\n const { network: currentNetwork } = useNetwork();\n const network = customNetwork || currentNetwork;\n const provider = useProviderForChain(network);\n\n const { data: CoreProxy } = useCoreProxy(network);\n const { data: collateralTypes } = useCollateralTypes(false, network);\n const { data: systemToken } = useSystemToken(network);\n\n const queryClient = useQueryClient();\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'LiquidityPositions',\n { accountId },\n {\n contractsHash: contractsHash([CoreProxy]),\n collateralTypes: contractsHash([systemToken, ...(collateralTypes || [])]),\n },\n ],\n enabled: Boolean(\n network && provider && CoreProxy && systemToken && accountId && collateralTypes\n ),\n queryFn: async (): Promise => {\n if (!(network && provider && CoreProxy && systemToken && accountId && collateralTypes)) {\n throw 'OMFG';\n }\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n\n const getAccountAvailableSystemTokenCallPromised =\n CoreProxyContract.populateTransaction.getAccountAvailableCollateral(\n accountId,\n systemToken.address\n );\n const getPositionCollateralCallsPromised = collateralTypes.map((collateralType) =>\n CoreProxyContract.populateTransaction.getPositionCollateral(\n accountId,\n POOL_ID,\n collateralType.tokenAddress\n )\n );\n const getPositionDebtCallsPromised = collateralTypes.map((collateralType) =>\n CoreProxyContract.populateTransaction.getPositionDebt(\n accountId,\n POOL_ID,\n collateralType.tokenAddress\n )\n );\n const getCollateralPriceCallsPromised = collateralTypes.map((collateralType) =>\n CoreProxyContract.populateTransaction.getCollateralPrice(collateralType.tokenAddress)\n );\n const getAccountCollateralCallPromised = collateralTypes.map((collateralType) =>\n CoreProxyContract.populateTransaction.getAccountCollateral(\n accountId,\n collateralType.tokenAddress\n )\n );\n const calls = await Promise.all([\n getAccountAvailableSystemTokenCallPromised,\n ...getPositionCollateralCallsPromised,\n ...getPositionDebtCallsPromised,\n ...getCollateralPriceCallsPromised,\n ...getAccountCollateralCallPromised,\n ]);\n\n return await erc7412Call(\n network,\n provider,\n calls,\n (decodedMulticall) => {\n const [accountAvailableSystemToken] = CoreProxyContract.interface.decodeFunctionResult(\n 'getAccountAvailableCollateral',\n decodedMulticall[0].returnData\n );\n\n const liquidityPositions = collateralTypes.map((collateralType, i) => {\n const [positionCollateral] = CoreProxyContract.interface.decodeFunctionResult(\n 'getPositionCollateral',\n decodedMulticall[1 + 0 * collateralTypes.length + i].returnData\n );\n\n const [positionDebt] = CoreProxyContract.interface.decodeFunctionResult(\n 'getPositionDebt',\n decodedMulticall[1 + 1 * collateralTypes.length + i].returnData\n );\n\n const [collateralPriceRaw] = CoreProxyContract.interface.decodeFunctionResult(\n 'getCollateralPrice',\n decodedMulticall[1 + 2 * collateralTypes.length + i].returnData\n );\n\n const [totalDepositedBigNumber, totalAssignedBigNumber, totalLockedBigNumber] =\n CoreProxyContract.interface.decodeFunctionResult(\n 'getAccountCollateral',\n decodedMulticall[1 + 3 * collateralTypes.length + i].returnData\n );\n\n const totalDeposited = wei(totalDepositedBigNumber);\n const totalAssigned = wei(totalAssignedBigNumber);\n const totalLocked = wei(totalLockedBigNumber);\n\n log({\n collateralType,\n positionCollateral,\n positionDebt,\n collateralPriceRaw,\n totalDeposited,\n totalAssigned,\n totalLocked,\n });\n\n const availableCollateral = wei(totalDeposited.sub(totalAssigned).sub(totalLocked));\n const availableSystemToken = wei(accountAvailableSystemToken);\n\n const collateralPrice = wei(collateralPriceRaw);\n const collateralAmount = wei(positionCollateral);\n const collateralValue = collateralAmount.mul(collateralPrice);\n const debt = wei(positionDebt);\n const cRatio = calculateCRatio(debt, collateralValue);\n\n return {\n collateralType,\n collateralPrice,\n availableCollateral,\n availableSystemToken,\n collateralAmount,\n collateralValue,\n debt,\n cRatio,\n totalDeposited,\n totalAssigned,\n totalLocked,\n };\n });\n log(liquidityPositions);\n\n liquidityPositions.forEach((liquidityPosition) => {\n queryClient.setQueryData(\n [\n `${network?.id}-${network?.preset}`,\n 'LiquidityPosition',\n { accountId },\n { tokenAddress: liquidityPosition.collateralType.tokenAddress },\n {\n contractsHash: contractsHash([CoreProxy]),\n collateralTypes: contractsHash([systemToken, liquidityPosition.collateralType]),\n },\n ],\n liquidityPosition\n );\n });\n return liquidityPositions;\n },\n 'useLiquidityPositions'\n );\n },\n });\n};\n","import { Button, Flex, Link, Text } from '@chakra-ui/react';\nimport { makeSearch, useParams } from '@snx-v3/useParams';\n\nexport const PositionsEmpty = () => {\n const [params, setParams] = useParams();\n return (\n \n \n You can open a new position by choosing a vault for collateral type\n \n {\n e.preventDefault();\n setParams({ accountId: params.accountId });\n }}\n size=\"sm\"\n data-cy=\"all pools button\"\n >\n Explore all Vaults\n \n \n );\n};\n","import { Skeleton, SkeletonCircle, SkeletonProps } from '@chakra-ui/react';\nimport React from 'react';\n\ninterface SynthSkeletonProps extends SkeletonProps {\n children: React.ReactNode;\n}\n\nexport const SynthSkeleton = ({ children, ...props }: SynthSkeletonProps) => {\n return (\n \n {children}\n \n );\n};\n\nexport const SynthCircle = ({ children, ...props }: SkeletonProps) => {\n return (\n \n {children}\n \n );\n};\n","import { Badge, Button, Flex, Td, Text, Tr } from '@chakra-ui/react';\nimport { SynthCircle, SynthSkeleton } from '@snx-v3/SynthSkeleton';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\n\nexport function PositionsRowLoading() {\n return (\n \n \n \n \n \n \n \n \n \n sUSDC\n \n \n \n \n Synthetic USDC\n \n \n \n \n \n\n \n \n \n \n $100,000\n \n \n \n \n 200 SNX\n \n \n \n \n\n \n \n \n \n $100,000\n \n \n \n \n 200 SNX\n \n \n \n \n \n \n \n \n $20,000\n \n \n \n \n Claim Credit\n \n \n \n \n \n \n \n \n 5000%\n \n \n \n \n HEALTHY\n \n \n \n \n \n \n \n \n Manage\n \n \n \n \n \n );\n}\n","import { Td, Tr } from '@chakra-ui/react';\n\nexport const TableDivider = () => {\n return (\n \n \n \n \n \n \n \n \n \n );\n};\n","import { Flex, Heading, Table, TableContainer, Tbody, Text, Tr } from '@chakra-ui/react';\nimport { POOL_ID } from '@snx-v3/constants';\nimport { NetworkIcon, useNetwork, useWallet } from '@snx-v3/useBlockchain';\nimport { useLiquidityPositions } from '@snx-v3/useLiquidityPositions';\nimport { useParams } from '@snx-v3/useParams';\nimport React from 'react';\nimport { PositionsEmpty } from './PositionEmpty';\nimport { PositionsNotConnected } from './PositionNotConnected';\nimport { PositionRow } from './PositionsRow';\nimport { PositionsRowLoading } from './PositionsRowLoading';\nimport { PositionTableHeader } from './PositionTableHeader';\nimport { TableDivider } from './TableDivider';\n\nexport const PositionsList = () => {\n const [params] = useParams();\n const { network } = useNetwork();\n const { activeWallet } = useWallet();\n const walletAddress = activeWallet?.address;\n\n const { data: liquidityPositions, isPending: isPendingLiquidityPositions } =\n useLiquidityPositions({ accountId: params.accountId });\n\n const filteredLiquidityPositions = React.useMemo(\n () =>\n liquidityPositions\n ? liquidityPositions.filter((liquidityPosition) => {\n if (liquidityPosition.collateralAmount.gt(0)) {\n // there is some amount delegated\n return true;\n }\n\n if (liquidityPosition.availableCollateral.gt(0)) {\n // there is some amount deposited and available to withdraw\n return true;\n }\n\n if (\n network?.preset === 'andromeda' &&\n liquidityPosition.collateralType.displaySymbol === 'USDC' &&\n liquidityPosition.availableSystemToken.gt(0)\n ) {\n // special case for USDC on Andromeda to allow withdrawals of snxUSD\n return true;\n }\n\n return false;\n })\n : [],\n [liquidityPositions, network?.preset]\n );\n\n return (\n \n {!walletAddress ? : null}\n {(walletAddress && !params.accountId) ||\n (!isPendingLiquidityPositions && !filteredLiquidityPositions.length) ? (\n \n ) : null}\n {params.accountId &&\n (isPendingLiquidityPositions || filteredLiquidityPositions.length > 0) ? (\n <>\n \n {network ? (\n <>\n \n {network.label} Network \n >\n ) : null}\n \n\n \n \n \n \n {isPendingLiquidityPositions ? (\n \n ) : (\n <>\n {filteredLiquidityPositions?.map((liquidityPosition, i) => {\n return (\n \n \n \n );\n })}\n >\n )}\n \n
\n >\n ) : null}\n \n );\n};\n","import { Button, Collapse, Text } from '@chakra-ui/react';\nimport { ContractErrorType } from '@snx-v3/parseContractError';\nimport format from 'date-fns/format';\nimport React from 'react';\n\nconst defaultOpen = window?.localStorage?.CONTRACT_ERROR_OPEN === 'true';\n\nexport function ContractError({ contractError }: { contractError: ContractErrorType }) {\n const [isOpen, setIsOpen] = React.useState(defaultOpen);\n\n return (\n <>\n {!isOpen ? (\n setIsOpen(true)}\n color=\"inherit\"\n fontWeight=\"normal\"\n fontStyle=\"italic\"\n >\n details...\n \n ) : null}\n \n \n {contractError.name}\n \n \n {Object.entries(contractError.args)\n .map(\n ([key, val]) =>\n `${key}: ${val instanceof Date ? format(val, 'yyyy-MM-dd HH:mm:ss') : val}`\n )\n .join('\\n')}\n \n \n >\n );\n}\n","export type TransactionStatus = 'unsent' | 'prompting' | 'pending' | 'success' | 'error';\n\ntype TxnState = {\n error: Error | null;\n modalOpen: boolean;\n txnStatus: TransactionStatus;\n txnHash: string | null;\n};\n\nexport const initialState: TxnState = {\n error: null,\n modalOpen: false,\n txnStatus: 'unsent',\n txnHash: null,\n};\n\nexport type Actions =\n | { type: 'prompting' }\n | { type: 'pending'; payload: { txnHash: string } }\n | { type: 'success' }\n | { type: 'error'; payload: { error: Error } }\n | { type: 'settled' };\n\nexport function reducer(state: TxnState, action: Actions): TxnState {\n switch (action.type) {\n case 'prompting':\n return {\n ...state,\n txnStatus: 'prompting',\n modalOpen: true,\n error: null,\n };\n\n case 'pending':\n return {\n ...state,\n txnStatus: 'pending',\n txnHash: action.payload.txnHash,\n };\n\n case 'success':\n return {\n ...state,\n txnStatus: 'success',\n };\n\n case 'error':\n return {\n ...state,\n txnStatus: 'error',\n error: action.payload.error,\n };\n\n case 'settled':\n return {\n ...state,\n modalOpen: false,\n txnStatus: 'unsent',\n error: null,\n txnHash: null,\n };\n\n default:\n return state;\n }\n}\n","import { importAllErrors } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function useAllErrors(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'AllErrors'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw new Error('OMFG');\n return importAllErrors(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","export async function importAllErrors(\n chainId?: number,\n preset?: string\n): Promise<{ address: undefined; abi: string[] }> {\n if (!preset) {\n throw new Error(`Missing preset`);\n }\n const deployment = `${Number(chainId).toFixed(0)}-${preset}`;\n switch (deployment) {\n case '1-main': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/1-main/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n case '11155111-main': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/11155111-main/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n case '10-main': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/10-main/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n case '8453-andromeda': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/8453-andromeda/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n case '84532-andromeda': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/84532-andromeda/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n case '42161-main': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/42161-main/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n case '421614-main': {\n const [{ default: abi }] = await Promise.all([\n import('@synthetixio/v3-contracts/421614-main/AllErrors.readable.json'),\n ]);\n return { address: undefined, abi };\n }\n default: {\n throw new Error(`Unsupported deployment ${deployment} for AllErrors`);\n }\n }\n}\n","import { importClosePosition } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function useClosePosition(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'ClosePosition'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw 'OMFG';\n return importClosePosition(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { importPositionManager } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function usePositionManager(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'PositionManager'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw 'OMFG';\n return importPositionManager(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { combineErrors, parseContractError } from '@snx-v3/parseContractError';\nimport { useAllErrors } from '@snx-v3/useAllErrors';\nimport { useClosePosition } from '@snx-v3/useClosePosition';\nimport { usePositionManager } from '@snx-v3/usePositionManager';\nimport { usePositionManagerAndromedaStataUSDC } from '@snx-v3/usePositionManagerAndromedaStataUSDC';\nimport { usePositionManagerAndromedaUSDC } from '@snx-v3/usePositionManagerAndromedaUSDC';\nimport { useStaticAaveUSDC } from '@snx-v3/useStaticAaveUSDC';\nimport { useCallback } from 'react';\n\nexport function useContractErrorParser() {\n const { data: AllErrors } = useAllErrors();\n const { data: ClosePosition } = useClosePosition();\n const { data: StaticAaveUSDC } = useStaticAaveUSDC();\n const { data: PositionManager } = usePositionManager();\n const { data: PositionManagerAndromedaStataUSDC } = usePositionManagerAndromedaStataUSDC();\n const { data: PositionManagerAndromedaUSDC } = usePositionManagerAndromedaUSDC();\n\n return useCallback(\n (error: any) => {\n return parseContractError({\n error,\n abi: combineErrors([\n AllErrors,\n ClosePosition,\n StaticAaveUSDC,\n PositionManager,\n PositionManagerAndromedaStataUSDC,\n PositionManagerAndromedaUSDC,\n ]),\n });\n },\n [\n AllErrors,\n ClosePosition,\n PositionManager,\n PositionManagerAndromedaStataUSDC,\n PositionManagerAndromedaUSDC,\n StaticAaveUSDC,\n ]\n );\n}\n","import { importPositionManagerAndromedaStataUSDC } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function usePositionManagerAndromedaStataUSDC(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [\n `${targetNetwork?.id}-${targetNetwork?.preset}`,\n 'PositionManagerAndromedaStataUSDC',\n ],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw 'OMFG';\n return importPositionManagerAndromedaStataUSDC(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { importPositionManagerAndromedaUSDC } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function usePositionManagerAndromedaUSDC(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [\n `${targetNetwork?.id}-${targetNetwork?.preset}`,\n 'PositionManagerAndromedaStataUSDC',\n ],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw 'OMFG';\n return importPositionManagerAndromedaUSDC(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { importRewardsDistributors } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function useRewardsDistributors(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'RewardsDistributors'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw new Error('OMFG');\n return importRewardsDistributors(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","export async function importRewardsDistributors(\n chainId?: number,\n preset?: string\n): Promise<\n {\n address: string;\n name: string;\n poolId: string;\n\n // undefined for Pool-level distributors\n collateralType?: {\n address: string;\n symbol: string;\n name: string;\n decimals: number;\n };\n\n payoutToken: {\n address: string;\n symbol: string;\n name: string;\n decimals: number;\n };\n rewardManager: string;\n isRegistered: boolean;\n }[]\n> {\n if (!preset) {\n throw new Error(`Missing preset`);\n }\n const deployment = `${Number(chainId).toFixed(0)}-${preset}`;\n switch (deployment) {\n case '1-main': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/1-main/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n case '11155111-main': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/11155111-main/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n case '10-main': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/10-main/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n case '8453-andromeda': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/8453-andromeda/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n case '84532-andromeda': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/84532-andromeda/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n case '42161-main': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/42161-main/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n case '421614-main': {\n const [{ default: rewardsDistributors }] = await Promise.all([\n import('@synthetixio/v3-contracts/421614-main/rewardsDistributors.json'),\n ]);\n return rewardsDistributors;\n }\n default: {\n throw new Error(`Unsupported deployment ${deployment} for RewardsDistributors`);\n }\n }\n}\n","import { POOL_ID, tokenOverrides } from '@snx-v3/constants';\nimport { contractsHash } from '@snx-v3/tsHelpers';\n// import { useAllErrors } from '@snx-v3/useAllErrors';\nimport { type Network, useNetwork, useProvider } from '@snx-v3/useBlockchain';\nimport { useCollateralTypes } from '@snx-v3/useCollateralTypes';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useRewardsDistributors } from '@snx-v3/useRewardsDistributors';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { useTrustedMulticallForwarder } from '@snx-v3/useTrustedMulticallForwarder';\nimport { Wei, wei } from '@synthetixio/wei';\nimport { useQuery } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\n\nconst log = debug('snx:useRewards');\n\nexport function groupRewardsBySymbol({\n network,\n rewards,\n synthTokens,\n}: {\n network: Network;\n rewards?: {\n distributor: {\n payoutToken: {\n address: string;\n symbol: string;\n };\n };\n claimableAmount: Wei;\n }[];\n synthTokens?: {\n address: string;\n token?: {\n address: string;\n symbol: string;\n };\n }[];\n}):\n | undefined\n | {\n displaySymbol: string;\n claimableAmount: Wei;\n }[] {\n if (rewards && rewards.length > 0) {\n const map = new Map();\n rewards\n .filter(({ claimableAmount }) => claimableAmount.gt(0))\n .forEach(({ distributor, claimableAmount }) => {\n const synthToken = synthTokens?.find(\n (synth) => synth.address.toLowerCase() === distributor.payoutToken.address.toLowerCase()\n );\n const token = synthToken && synthToken.token ? synthToken.token : distributor.payoutToken;\n const displaySymbol =\n tokenOverrides[`${network.id}-${network.preset}`]?.[token.address]?.symbol ??\n token.symbol;\n if (map.has(displaySymbol)) {\n map.set(displaySymbol, map.get(displaySymbol).add(claimableAmount));\n } else {\n map.set(displaySymbol, claimableAmount);\n }\n });\n return Array.from(map.entries())\n .map(([displaySymbol, claimableAmount]) => ({\n displaySymbol,\n claimableAmount,\n }))\n .sort((a, b) => a.displaySymbol.localeCompare(b.displaySymbol))\n .sort((a, b) => b.claimableAmount.toNumber() - a.claimableAmount.toNumber());\n }\n}\n\nexport function useRewards({ accountId }: { accountId?: string }) {\n const { network } = useNetwork();\n const provider = useProvider();\n const { data: synthTokens } = useSynthTokens();\n const { data: collateralTypes } = useCollateralTypes();\n const { data: Multicall3 } = useTrustedMulticallForwarder(network);\n const { data: CoreProxy } = useCoreProxy(network);\n // const { data: AllErrors } = useAllErrors(network);\n const { data: rewardsDistributors } = useRewardsDistributors(network);\n\n return useQuery({\n enabled: Boolean(\n network &&\n CoreProxy &&\n Multicall3 &&\n // AllErrors &&\n rewardsDistributors &&\n accountId &&\n collateralTypes &&\n synthTokens\n ),\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'Rewards',\n { accountId },\n {\n contractsHash: contractsHash([\n CoreProxy,\n Multicall3,\n ...(rewardsDistributors ?? []),\n ...(synthTokens ?? []),\n ...(collateralTypes ?? []),\n ]),\n },\n ],\n queryFn: async () => {\n if (\n !(\n CoreProxy &&\n Multicall3 &&\n // AllErrors &&\n rewardsDistributors &&\n accountId &&\n collateralTypes &&\n synthTokens\n )\n ) {\n throw new Error('OMG');\n }\n\n const vaultDistributors = rewardsDistributors\n .map((distributor) => {\n if (distributor.collateralType) {\n return {\n method: 'getAvailableRewards',\n claimMethod: 'claimRewards',\n args: [\n ethers.BigNumber.from(accountId),\n ethers.BigNumber.from(POOL_ID),\n distributor.collateralType.address,\n distributor.address,\n ],\n distributor,\n collateralType: distributor.collateralType,\n };\n }\n })\n .filter((item) => item !== undefined);\n log('vaultDistributors', vaultDistributors);\n\n const poolDistributors = rewardsDistributors\n .filter((distributor) => !distributor.collateralType)\n .filter((distributor) => !distributor.name.includes('Liquidation Rewards'))\n .flatMap((distributor) => ({\n method: 'getAvailablePoolRewards',\n claimMethod: 'claimPoolRewards',\n args: [\n ethers.BigNumber.from(accountId),\n ethers.BigNumber.from(POOL_ID),\n ethers.constants.AddressZero,\n distributor.address,\n ],\n distributor,\n collateralType: undefined,\n }));\n log('poolDistributors', poolDistributors);\n\n const poolDistributorsPerCollateral = rewardsDistributors\n .filter((distributor) => !distributor.collateralType)\n .filter((distributor) => !distributor.name.includes('Liquidation Rewards'))\n .flatMap((distributor) =>\n collateralTypes.map((collateralType) => ({\n method: 'getAvailablePoolRewards',\n claimMethod: 'claimPoolRewards',\n args: [\n ethers.BigNumber.from(accountId),\n ethers.BigNumber.from(POOL_ID),\n collateralType.address,\n distributor.address,\n ],\n distributor,\n collateralType,\n }))\n );\n log('poolDistributorsPerCollateral', poolDistributorsPerCollateral);\n\n const liquidationRewardsDistributors = rewardsDistributors\n .filter((distributor) => !distributor.collateralType)\n .filter((distributor) => distributor.name.includes('Liquidation Rewards'))\n .flatMap((distributor) =>\n collateralTypes.map((collateralType) => ({\n method: 'getAvailableRewards',\n claimMethod: 'claimRewards',\n args: [\n ethers.BigNumber.from(accountId),\n ethers.BigNumber.from(POOL_ID),\n collateralType.address,\n distributor.address,\n ],\n distributor,\n collateralType,\n }))\n );\n log('liquidationRewardsDistributors', liquidationRewardsDistributors);\n\n const multicall = [\n ...vaultDistributors,\n ...poolDistributors,\n ...poolDistributorsPerCollateral,\n ...liquidationRewardsDistributors,\n ];\n log('multicall', multicall);\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n const calls = await Promise.all(\n multicall.map(async ({ method, args }) => {\n const { to, data } = await CoreProxyContract.populateTransaction[method](...args);\n return {\n target: to,\n callData: data,\n allowFailure: true,\n };\n })\n );\n log('calls', calls);\n\n const Multicall3Contract = new ethers.Contract(Multicall3.address, Multicall3.abi, provider);\n const multicallResponse = await Multicall3Contract.callStatic.aggregate3(calls);\n log('multicallResponse', multicallResponse);\n\n // const AllErrorsInterface = new ethers.utils.Interface(AllErrors.abi);\n const availableRewards = multicall\n .map(({ method, claimMethod, args, distributor, collateralType }, i) => {\n const { success, returnData } = multicallResponse[i];\n if (!success) {\n // log(\n // `${method} call error for ${distributor.name}`,\n // AllErrorsInterface.parseError(returnData)\n // );\n return;\n }\n const [amount] = CoreProxyContract.interface.decodeFunctionResult(method, returnData);\n return {\n method,\n claimMethod,\n args,\n distributor,\n collateralType,\n claimableAmount: wei(amount),\n };\n })\n .filter((info) => info !== undefined);\n log('availableRewards', availableRewards);\n return availableRewards;\n },\n });\n}\n","import { importSpotMarketProxy } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function useSpotMarketProxy(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'SpotMarketProxy'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw new Error('OMFG');\n return importSpotMarketProxy(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { useToast } from '@chakra-ui/react';\nimport { D18 } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useRewards } from '@snx-v3/useRewards';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:useClaimAllRewards');\n\nexport function useClaimAllRewards({ accountId }: { accountId?: string }) {\n const { data: rewards } = useRewards({ accountId });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const { network } = useNetwork();\n const { data: SpotMarketProxy } = useSpotMarketProxy();\n const signer = useSigner();\n const { data: CoreProxy } = useCoreProxy();\n const [txnState, dispatch] = React.useReducer(reducer, initialState);\n const queryClient = useQueryClient();\n const provider = useProvider();\n const { data: synthTokens } = useSynthTokens();\n\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const errorParser = useContractErrorParser();\n\n const mutation = useMutation({\n mutationFn: async function () {\n if (\n !(network && provider && signer && SpotMarketProxy && CoreProxy && rewards && synthTokens)\n ) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n\n const transactions: Promise[] = [];\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n const SpotMarketProxyContract = new ethers.Contract(\n SpotMarketProxy.address,\n SpotMarketProxy.abi,\n signer\n );\n\n rewards.forEach(({ distributor, claimableAmount, claimMethod, args }) => {\n if (claimableAmount.gt(0)) {\n transactions.push(CoreProxyContract.populateTransaction[claimMethod](...args));\n\n const synthToken = synthTokens.find(\n (synth) => synth.address.toLowerCase() === distributor.payoutToken.address.toLowerCase()\n );\n if (synthToken && synthToken.token) {\n const minAmountReceived = claimableAmount\n .toBN()\n .sub(claimableAmount.toBN().div(100))\n // Adjust precision for underlying token\n .mul(ethers.utils.parseUnits('1', synthToken.token.decimals))\n .div(D18);\n\n transactions.push(\n SpotMarketProxyContract.populateTransaction.unwrap(\n synthToken.synthMarketId,\n claimableAmount.toBN(),\n minAmountReceived\n )\n );\n }\n }\n });\n\n const calls = await Promise.all(transactions);\n log('calls', calls);\n\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useClaimAllRewards',\n walletAddress\n );\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onError(error) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n\n dispatch({ type: 'error', payload: { error } });\n\n toast.closeAll();\n toast({\n title: 'Claiming failed',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'Rewards',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your rewards have been claimed',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n },\n });\n\n return {\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n}\n","import { Alert, AlertIcon, Text } from '@chakra-ui/react';\nimport { useAccountCollateralUnlockDate } from '@snx-v3/useAccountCollateralUnlockDate';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\n\nexport function WithdrawIncrease() {\n return (\n \n \n This action will reset the withdrawal waiting period to 24 hours \n \n );\n}\n\nexport function DepositsIncreaseTimeout() {\n const [params] = useParams();\n const { data: accountCollateralUnlockDate } = useAccountCollateralUnlockDate({\n accountId: params.accountId,\n });\n\n return (\n \n \n {accountCollateralUnlockDate && accountCollateralUnlockDate.getTime() > Date.now() ? (\n \n All new deposits have a 24 hour withdrawal waiting period. This action will reset your\n active withdrawal waiting period to 24 hours.\n \n ) : (\n All new deposits have a 24 hour withdrawal waiting period. \n )}\n \n );\n}\n","import { CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { etherscanLink } from '@snx-v3/etherscanLink';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { groupRewardsBySymbol, useRewards } from '@snx-v3/useRewards';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { WithdrawIncrease } from '@snx-v3/WithdrawIncrease';\nimport { Wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function AllRewardsModal({\n txnStatus,\n txnHash,\n}: {\n txnStatus?: string;\n txnHash: string | null;\n}) {\n const [params] = useParams();\n const { network } = useNetwork();\n const { data: rewards } = useRewards({ accountId: params.accountId });\n const { data: synthTokens } = useSynthTokens();\n\n const [isOpen, setIsOpen] = React.useState(false);\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [cachedRewards, setCachedRewards] = React.useState<\n { displaySymbol: string; claimableAmount: Wei }[] | undefined\n >();\n\n const onClose = React.useCallback(() => {\n setIsOpen(false);\n setCachedRewards(undefined);\n }, []);\n\n React.useEffect(() => {\n if (txnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error') {\n onClose();\n }\n }, [onClose, txnStatus]);\n\n React.useEffect(() => {\n if (isOpen && rewards && synthTokens && network) {\n const groupedRewards = groupRewardsBySymbol({ network, rewards, synthTokens });\n if (!cachedRewards) {\n setCachedRewards(groupedRewards);\n }\n }\n }, [isOpen, rewards, synthTokens, cachedRewards, network]);\n\n return (\n \n \n \n \n \n Claiming Rewards\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {cachedRewards ? (\n cachedRewards.map(({ displaySymbol, claimableAmount }) => (\n \n \n \n ))\n ) : (\n \n Claim your rewards\n \n )}\n \n \n \n {txnStatus === 'success' ? (\n \n Done\n \n ) : null}\n {txnHash && (\n \n \n View Transaction\n \n \n )}\n \n \n \n );\n}\n","import { Skeleton, SkeletonCircle, Td, Text, Tr } from '@chakra-ui/react';\n\nexport const RewardsLoading = () => (\n \n \n \n \n \n \n Loading \n \n \n \n \n Loading \n \n \n \n);\n","import { Fade, Flex, Td, Text, Tr } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport Wei from '@synthetixio/wei';\nimport React from 'react';\n\nexport function RewardsRow({\n displaySymbol,\n claimableAmount,\n}: {\n displaySymbol: string;\n claimableAmount: Wei;\n}) {\n return (\n <>\n \n \n \n \n \n \n \n \n {displaySymbol}\n \n \n \n \n \n \n \n \n \n \n \n \n >\n );\n}\n","import { InfoIcon } from '@chakra-ui/icons';\nimport {\n Button,\n Flex,\n Heading,\n Table,\n TableContainer,\n Tbody,\n Td,\n Text,\n Th,\n Thead,\n Tr,\n} from '@chakra-ui/react';\nimport { Tooltip } from '@snx-v3/Tooltip';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useClaimAllRewards } from '@snx-v3/useClaimAllRewards';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { groupRewardsBySymbol, useRewards } from '@snx-v3/useRewards';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport React from 'react';\nimport { AllRewardsModal } from './AllRewardsModal';\nimport { RewardsLoading } from './RewardsLoading';\nimport { RewardsRow } from './RewardsRow';\n\nexport function Rewards() {\n const [params] = useParams();\n const { data: rewards, isPending: isPendingRewards } = useRewards({\n accountId: params.accountId,\n });\n const { exec: claimAll, txnState } = useClaimAllRewards({ accountId: params.accountId });\n\n const { network } = useNetwork();\n\n const { data: synthTokens } = useSynthTokens();\n const groupedRewards = React.useMemo(\n () =>\n network && rewards && synthTokens\n ? groupRewardsBySymbol({ network, rewards, synthTokens })\n : undefined,\n [network, rewards, synthTokens]\n );\n\n return (\n \n \n \n \n Rewards\n \n 0)}\n _disabled={{\n bg: 'gray.900',\n backgroundImage: 'none',\n color: 'gray.500',\n opacity: 0.5,\n cursor: 'not-allowed',\n }}\n data-cy=\"claim rewards submit\"\n onClick={() => {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_claim_rewards_v3`,\n ]);\n claimAll();\n }}\n >\n Claim\n \n \n\n \n \n \n \n Token\n \n \n \n \n \n Earnings\n \n \n \n \n {!params.accountId ? (\n \n \n \n Create a Position to see your earnings\n \n \n \n ) : null}\n\n {params.accountId && isPendingRewards ? : null}\n\n {groupedRewards && groupedRewards.length === 0 ? (\n \n \n \n No Rewards Available\n \n \n \n ) : null}\n\n {groupedRewards && groupedRewards.length\n ? groupedRewards.map(({ displaySymbol, claimableAmount }) => (\n \n ))\n : null}\n \n
\n \n );\n}\n","import { InfoIcon } from '@chakra-ui/icons';\nimport { Fade, Flex, Text } from '@chakra-ui/react';\nimport { SynthSkeleton } from '@snx-v3/SynthSkeleton';\nimport { Tooltip } from '@snx-v3/Tooltip';\nimport React from 'react';\n\nexport function StatsBox({\n isLoading,\n title,\n label,\n value,\n}: {\n isLoading: boolean;\n title: string;\n label?: React.ReactNode;\n value?: React.ReactNode;\n}) {\n return (\n \n \n \n {title}\n \n {label && (\n \n \n \n )}\n \n \n \n \n \n {value || '$0.00'}\n \n \n \n \n \n );\n}\n","import { Text } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { StatsBox } from '@snx-v3/StatsBox';\nimport { useLiquidityPositions } from '@snx-v3/useLiquidityPositions';\nimport { useParams } from '@snx-v3/useParams';\nimport { wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function StatsTotalLocked() {\n const [params] = useParams();\n\n const { data: liquidityPositions, isPending: isPendingLiquidityPositions } =\n useLiquidityPositions({\n accountId: params.accountId,\n });\n\n const totalLocked = React.useMemo(\n () =>\n liquidityPositions\n ? liquidityPositions.reduce(\n (result, liquidityPosition) =>\n result.add(liquidityPosition.collateralAmount.mul(liquidityPosition.collateralPrice)),\n wei(0)\n )\n : wei(0),\n [liquidityPositions]\n );\n\n return (\n }\n label={\n <>\n All assets locked in Positions \n >\n }\n />\n );\n}\n","import { getClaimedRewardsURL } from '@snx-v3/constants';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\nimport debug from 'debug';\n\nconst log = debug('snx:useClaimedRewards');\n\nexport function useClaimedRewards(accountId?: string) {\n const { network } = useNetwork();\n\n return useQuery({\n queryKey: [`${network?.id}-${network?.preset}`, 'ClaimedRewards', { accountId }],\n enabled: Boolean(network && accountId),\n queryFn: async () => {\n const response = await fetch(getClaimedRewardsURL(network?.id) + `?accountId=${accountId}`);\n const claimedRewards: { total_amount_usd: string; collateral_type: string }[] =\n await response.json();\n log('claimedRewards', claimedRewards);\n return claimedRewards;\n },\n staleTime: 60_000,\n });\n}\n","import { contractsHash } from '@snx-v3/tsHelpers';\nimport { Network, useNetwork, useProviderForChain } from '@snx-v3/useBlockchain';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { erc7412Call } from '@snx-v3/withERC7412';\nimport { useQuery } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\n\nconst log = debug('snx:useCollateralPrices');\n\nexport function useCollateralPrices(collateralAddresses: Set, customNetwork?: Network) {\n const { network: currentNetwork } = useNetwork();\n const network = customNetwork ?? currentNetwork;\n const provider = useProviderForChain(network);\n\n const { data: CoreProxy } = useCoreProxy(customNetwork);\n\n return useQuery({\n enabled: Boolean(network && provider && CoreProxy && collateralAddresses),\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'CollateralPrices',\n {\n contractsHash: contractsHash([\n CoreProxy,\n ...Array.from(collateralAddresses).map((address) => ({ address })),\n ]),\n },\n ],\n queryFn: async () => {\n if (!(network && provider && CoreProxy && collateralAddresses)) {\n throw new Error('OMFG');\n }\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n\n const multicall = Array.from(collateralAddresses).map((address) => ({\n method: 'getCollateralPrice',\n args: [address],\n address,\n }));\n log('multicall', multicall);\n\n const calls = await Promise.all(\n multicall.map(({ method, args }) => CoreProxyContract.populateTransaction[method](...args))\n );\n log('calls', calls);\n\n const prices = await erc7412Call(\n network,\n provider,\n calls.map((txn: ethers.PopulatedTransaction & { requireSuccess?: boolean }) => {\n txn.requireSuccess = false;\n return txn;\n }),\n (decodedMulticall) => {\n return multicall.reduce((result, call, i) => {\n if (decodedMulticall[i].success) {\n const [price] = CoreProxyContract.interface.decodeFunctionResult(\n 'getCollateralPrice',\n decodedMulticall[i].returnData\n );\n result.set(call.address, price);\n }\n return result;\n }, new Map());\n },\n 'useCollateralPrices'\n );\n log('prices', prices);\n return prices;\n },\n });\n}\n","import { EvmPriceServiceConnection } from '@pythnetwork/pyth-evm-js';\nimport { offchainMainnetEndpoint } from '@snx-v3/constants';\nimport { useQuery } from '@tanstack/react-query';\nimport { ethers } from 'ethers';\n\nconst priceService = new EvmPriceServiceConnection(offchainMainnetEndpoint, {\n timeout: 60_000,\n httpRetries: 5,\n verbose: true,\n});\n\nconst priceFeeds: { [key: string]: string } = {\n SNX: '0x39d020f60982ed892abbcd4a06a276a9f9b7bfbce003204c110b6e488f502da3',\n};\n\nexport async function fetchPythPrice(symbol: string, time?: number) {\n const feedId = priceFeeds[symbol];\n if (time) {\n const priceFeed = await priceService.getPriceFeed(feedId, time);\n const { price, expo } = priceFeed.getPriceUnchecked();\n return ethers.utils.parseUnits(price, 18 + expo);\n }\n const response = await priceService.getLatestPriceFeeds([feedId]);\n if (response) {\n const [priceFeed] = response;\n const { price, expo } = priceFeed.getPriceUnchecked();\n return ethers.utils.parseUnits(price, 18 + expo);\n }\n}\n\nexport function usePythPrice(symbol?: string, time?: number) {\n return useQuery({\n queryKey: ['PythPrice', symbol, { time }],\n enabled: Boolean(symbol),\n queryFn: async () => {\n if (symbol && symbol in priceFeeds) {\n return fetchPythPrice(symbol, time);\n }\n return ethers.BigNumber.from(0);\n },\n });\n}\n","import { getIssuedDebtUrl } from '@snx-v3/constants';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\nimport debug from 'debug';\n\nconst log = debug('snx:useIssuedDebt');\n\nexport function useIssuedDebt(accountId?: string) {\n const { network } = useNetwork();\n\n return useQuery({\n queryKey: [`${network?.id}-${network?.preset}`, 'IssuedDebt', { accountId }],\n enabled: Boolean(network && accountId),\n queryFn: async () => {\n const response = await fetch(getIssuedDebtUrl(network?.id) + `?accountId=${accountId}`);\n const issuedDebts: { issuance: string; collateral_type: string }[] = await response.json();\n log('issuedDebt', issuedDebts);\n return issuedDebts;\n },\n staleTime: 60_000,\n });\n}\n","import { Text } from '@chakra-ui/react';\nimport { PnlAmount } from '@snx-v3/DebtAmount';\nimport { StatsBox } from '@snx-v3/StatsBox';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useClaimedRewards } from '@snx-v3/useClaimedRewards';\nimport { useCollateralPrices } from '@snx-v3/useCollateralPrices';\nimport { useLiquidityPositions } from '@snx-v3/useLiquidityPositions';\nimport { useParams } from '@snx-v3/useParams';\nimport { usePythPrice } from '@snx-v3/usePythPrice';\nimport { useRewards } from '@snx-v3/useRewards';\nimport { wei } from '@synthetixio/wei';\nimport React from 'react';\nimport { useIssuedDebt } from '@snx-v3/useIssuedDebt';\n\nexport function StatsTotalPnl() {\n const [params] = useParams();\n const { network } = useNetwork();\n\n const { data: rewards, isPending: isPendingRewards } = useRewards({\n accountId: params.accountId,\n });\n\n const { data: snxPrice, isPending: isPendingSnxPrice } = usePythPrice('SNX');\n\n const { data: claimedRewards, isPending: isPendingClaimedRewards } = useClaimedRewards(\n params.accountId\n );\n const { data: issuedDebt, isPending: isPendingIssuedDebt } = useIssuedDebt(params.accountId);\n\n const rewardsTokens = React.useMemo(() => {\n const result: Set = new Set();\n if (rewards) {\n for (const reward of rewards) {\n if (reward.claimableAmount.gt(0)) {\n result.add(reward.distributor.payoutToken.address);\n }\n }\n }\n return result;\n }, [rewards]);\n\n const { data: rewardsTokenPrices, isPending: isPendingRewardsPrices } = useCollateralPrices(\n rewardsTokens,\n network\n );\n\n const totalRewardsValue = React.useMemo(() => {\n if (rewards && rewardsTokenPrices && snxPrice) {\n return rewards.reduce((result, reward) => {\n // all rewards should have price except SNX as it is not a collateral on Base\n if (reward.distributor.payoutToken.symbol === 'SNX') {\n return result.add(reward.claimableAmount.mul(snxPrice));\n }\n if (rewardsTokenPrices.has(reward.distributor.payoutToken.address)) {\n return result.add(\n reward.claimableAmount.mul(\n rewardsTokenPrices.get(reward.distributor.payoutToken.address)\n )\n );\n }\n return result;\n }, wei(0));\n }\n }, [rewards, rewardsTokenPrices, snxPrice]);\n\n const { data: liquidityPositions, isPending: isPendingLiquidityPositions } =\n useLiquidityPositions({\n accountId: params.accountId,\n });\n\n const totalDebt = React.useMemo(() => {\n if (liquidityPositions) {\n return liquidityPositions.reduce(\n (result, liquidityPosition) => result.add(liquidityPosition.debt),\n wei(0)\n );\n }\n }, [liquidityPositions]);\n\n const totalClaimedRewards = React.useMemo(() => {\n return claimedRewards?.reduce((curr, acc) => curr.add(acc.total_amount_usd), wei(0));\n }, [claimedRewards]);\n const totalIssuedDebt = React.useMemo(() => {\n return issuedDebt?.reduce((curr, acc) => curr.add(acc.issuance), wei(0));\n }, [issuedDebt]);\n\n return (\n \n ) : undefined\n }\n label={\n \n Aggregated PNL of all of your open positions, unclaimed rewards, and previously claimed\n rewards\n \n }\n />\n );\n}\n","import { Box, Button, Flex, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useNetwork, useProvider, useSigner, useWallet } from '@snx-v3/useBlockchain';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useStaticAaveUSDC } from '@snx-v3/useStaticAaveUSDC';\nimport { wei } from '@synthetixio/wei';\nimport { useMutation, useQuery, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:StataUSDC');\n\nexport function StataUSDC() {\n const { network } = useNetwork();\n const provider = useProvider();\n const signer = useSigner();\n const { activeWallet } = useWallet();\n const walletAddress = activeWallet?.address;\n\n const { data: StaticAaveUSDC } = useStaticAaveUSDC();\n\n const { data: stataBalance } = useQuery({\n queryKey: [`${network?.id}-${network?.preset}`, 'StaticAaveUSDC Redeem'],\n enabled: Boolean(network && provider && walletAddress && StaticAaveUSDC),\n queryFn: async function () {\n if (!(network && provider && walletAddress && StaticAaveUSDC)) {\n throw new Error('OMFG');\n }\n const StaticAaveUSDCContract = new ethers.Contract(\n StaticAaveUSDC.address,\n StaticAaveUSDC.abi,\n provider\n );\n const maxRedeem = await StaticAaveUSDCContract.maxRedeem(walletAddress);\n const previewRedeem = await StaticAaveUSDCContract.previewRedeem(maxRedeem);\n return {\n maxRedeem,\n previewRedeem,\n };\n },\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const queryClient = useQueryClient();\n const errorParser = useContractErrorParser();\n const isReady = network && provider && signer && walletAddress && StaticAaveUSDC && true;\n const { mutateAsync: unwrapStaticAaveUSDC, isPending } = useMutation({\n mutationFn: async function () {\n if (!isReady) {\n throw new Error('Not ready');\n }\n const StaticAaveUSDCContract = new ethers.Contract(\n StaticAaveUSDC.address,\n StaticAaveUSDC.abi,\n signer\n );\n const maxRedeem = await StaticAaveUSDCContract.maxRedeem(walletAddress);\n log('maxRedeem', maxRedeem);\n\n const shares = maxRedeem;\n log('shares', shares);\n const receiver = walletAddress;\n log('receiver', receiver);\n const owner = walletAddress;\n log('owner', owner);\n const withdrawFromAave = true;\n log('withdrawFromAave', withdrawFromAave);\n\n const args = [\n //\n shares,\n receiver,\n owner,\n withdrawFromAave,\n ];\n const gasLimit = await StaticAaveUSDCContract.estimateGas[\n 'redeem(uint256,address,address,bool)'\n ](...args);\n const txn = await StaticAaveUSDCContract['redeem(uint256,address,address,bool)'](...args, {\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'StaticAaveUSDC Redeem',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your Static aUSDC has been unwrapped to USDC.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n },\n\n onError: (error) => {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Transaction failed',\n variant: 'left-accent',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n duration: 3_600_000,\n });\n throw Error('Transaction failed', { cause: error });\n },\n });\n\n if (!(stataBalance && stataBalance.maxRedeem.gt(0))) {\n return null;\n }\n\n return (\n \n \n \n \n \n \n Static aUSDC\n \n \n \n \n \n \n \n \n {\n window?._paq?.push(['trackEvent', 'liquidity', 'v3_staking', `submit_unwrap_stata_v3`]);\n unwrapStaticAaveUSDC();\n }}\n >\n Unwrap\n \n \n \n );\n}\n","import { Fade, Flex, Td, Text } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { SynthIcon } from '@snx-v3/TokenIcon';\nimport Wei from '@synthetixio/wei';\nimport React from 'react';\n\nexport function SynthRow({\n synth,\n balance,\n}: {\n synth: {\n address: string;\n symbol: string;\n name: string;\n };\n balance: Wei;\n}) {\n return (\n <>\n \n \n \n \n \n \n {synth.symbol}\n \n \n {synth.name}\n \n \n \n \n \n \n \n \n \n \n \n \n >\n );\n}\n","import { contractsHash } from '@snx-v3/tsHelpers';\nimport { useNetwork, useProvider, useWallet } from '@snx-v3/useBlockchain';\nimport { useTrustedMulticallForwarder } from '@snx-v3/useTrustedMulticallForwarder';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { wei } from '@synthetixio/wei';\nimport { useQuery } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\n\nconst log = debug('snx:useSynthBalances');\n\nexport function useSynthBalances() {\n const { network } = useNetwork();\n const provider = useProvider();\n const { activeWallet } = useWallet();\n const walletAddress = activeWallet?.address;\n\n const { data: synthTokens } = useSynthTokens();\n const { data: Multicall3 } = useTrustedMulticallForwarder();\n\n return useQuery({\n enabled: Boolean(network && Multicall3 && synthTokens && walletAddress),\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'SynthBalances',\n { walletAddress },\n {\n contractsHash: contractsHash([Multicall3, ...(synthTokens ?? [])]),\n },\n ],\n queryFn: async () => {\n if (!(network && Multicall3 && synthTokens && walletAddress)) {\n throw new Error('OMG');\n }\n log('synthTokens', synthTokens);\n\n const TokenInterface = new ethers.utils.Interface([\n 'function balanceOf(address) view returns (uint256)',\n ]);\n const multicall = synthTokens.map((synth) => ({\n synth,\n method: 'balanceOf',\n args: [walletAddress],\n target: synth.address,\n callData: TokenInterface.encodeFunctionData('balanceOf', [walletAddress]),\n allowFailure: true,\n }));\n log('multicall', multicall);\n\n const Multicall3Contract = new ethers.Contract(Multicall3.address, Multicall3.abi, provider);\n const multicallResponse = await Multicall3Contract.callStatic.aggregate3(\n multicall.map(({ target, callData, allowFailure }) => ({\n target,\n callData,\n allowFailure,\n }))\n );\n log('multicallResponse', multicallResponse);\n\n const balances = multicall\n .map(({ method, synth }, i) => {\n const { success, returnData } = multicallResponse[i];\n if (!success) {\n log(`${method} call error for ${synth.symbol}`);\n return;\n }\n const [balance] = TokenInterface.decodeFunctionResult(method, returnData);\n return {\n synth,\n balance: wei(balance, synth.decimals),\n };\n })\n .filter((info) => info !== undefined);\n log('balances', balances);\n\n return balances;\n },\n });\n}\n","import { useToast } from '@chakra-ui/react';\nimport { D18 } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { useSynthBalances } from '@snx-v3/useSynthBalances';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:useUnwrapAllSynths');\n\nexport function useUnwrapAllSynths() {\n const { data: synthBalances } = useSynthBalances();\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const { network } = useNetwork();\n const provider = useProvider();\n const signer = useSigner();\n\n const { data: SpotMarketProxy } = useSpotMarketProxy();\n const [txnState, dispatch] = React.useReducer(reducer, initialState);\n\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const errorParser = useContractErrorParser();\n\n const queryClient = useQueryClient();\n\n const mutation = useMutation({\n mutationFn: async function () {\n if (!(network && provider && signer && SpotMarketProxy && synthBalances)) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n\n const transactions: Promise[] = [];\n\n const SpotMarketProxyContract = new ethers.Contract(\n SpotMarketProxy.address,\n SpotMarketProxy.abi,\n signer\n );\n synthBalances.forEach(({ synth, balance }) => {\n if (synth.token && balance.gt(0)) {\n const minAmountReceived = balance\n .toBN()\n .sub(balance.toBN().div(100))\n // Adjust precision for underlying token\n .mul(ethers.utils.parseUnits('1', synth.token.decimals))\n .div(D18);\n\n transactions.push(\n SpotMarketProxyContract.populateTransaction.unwrap(\n synth.synthMarketId,\n balance.toBN(),\n minAmountReceived\n )\n );\n }\n });\n\n const [calls] = await Promise.all([Promise.all(transactions)]);\n log('calls', calls);\n\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useUnwrapAllSynths',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onError(error) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n\n dispatch({ type: 'error', payload: { error } });\n\n toast.closeAll();\n toast({\n title: 'Withdrawal failed',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n\n dispatch({ type: 'success' });\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your synths have been unwrapped',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n },\n });\n\n return {\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n}\n","import { Skeleton, SkeletonCircle, Td, Text, Tr } from '@chakra-ui/react';\n\nexport const SynthsLoading = () => (\n \n \n \n \n \n \n \n \n \n \n \n \n);\n","import { CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { tokenOverrides } from '@snx-v3/constants';\nimport { etherscanLink } from '@snx-v3/etherscanLink';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useSynthBalances } from '@snx-v3/useSynthBalances';\nimport { Wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function SynthsUnwrapModal({\n txnStatus,\n txnHash,\n}: {\n txnStatus?: string;\n txnHash: string | null;\n}) {\n const { network } = useNetwork();\n const { data: synthBalances } = useSynthBalances();\n\n const [isOpen, setIsOpen] = React.useState(false);\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [cachedSynths, setCachedSynths] = React.useState<\n { symbol: string; name: string; balance: Wei }[] | undefined\n >();\n\n const onClose = React.useCallback(() => {\n setIsOpen(false);\n setCachedSynths(undefined);\n }, []);\n\n React.useEffect(() => {\n if (txnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error') {\n setCachedSynths(undefined);\n setIsOpen(false);\n }\n }, [txnStatus]);\n\n React.useEffect(() => {\n if (isOpen && synthBalances && network) {\n const filteredSynths = synthBalances\n .map(({ synth, balance }) => ({\n balance,\n symbol: synth.token ? synth.token.symbol : synth.symbol,\n name: synth.token ? synth.token.name : synth.name,\n ...tokenOverrides[`${network.id}-${network.preset}`]?.[\n synth.token ? synth.token.address : synth.address\n ],\n }))\n .filter(({ balance }) => balance.gt(0))\n .sort((a, b) => a.symbol.localeCompare(b.symbol))\n .sort((a, b) => b.balance.toNumber() - a.balance.toNumber());\n\n if (!cachedSynths) {\n setCachedSynths(filteredSynths);\n }\n }\n }, [cachedSynths, isOpen, network, synthBalances]);\n\n return (\n \n \n \n \n \n Unwrapping Synths\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {cachedSynths ? (\n cachedSynths.map(({ symbol, balance }) => {\n return (\n \n \n \n );\n })\n ) : (\n \n Unwrapping your synths\n \n )}\n \n \n {txnStatus === 'success' ? (\n \n Done\n \n ) : null}\n {txnHash && (\n \n \n View Transaction\n \n \n )}\n \n \n \n );\n}\n","import { InfoIcon } from '@chakra-ui/icons';\nimport {\n Button,\n Flex,\n Heading,\n Table,\n TableContainer,\n Tbody,\n Td,\n Text,\n Th,\n Thead,\n Tr,\n} from '@chakra-ui/react';\nimport { Tooltip } from '@snx-v3/Tooltip';\nimport { useWallet } from '@snx-v3/useBlockchain';\nimport { useSynthBalances } from '@snx-v3/useSynthBalances';\nimport { useUnwrapAllSynths } from '@snx-v3/useUnwrapAllSynths';\nimport { wei } from '@synthetixio/wei';\nimport React from 'react';\nimport { SynthRow } from './SynthRow';\nimport { SynthsLoading } from './SynthsLoading';\nimport { SynthsUnwrapModal } from './SynthsUnwrapModal';\n\nexport function Synths() {\n const { activeWallet } = useWallet();\n const walletAddress = activeWallet?.address;\n\n const { data: synthBalances, isPending: isPendingSynthBalances } = useSynthBalances();\n const { exec: unwrapAll, txnState } = useUnwrapAllSynths();\n\n const filteredSynths = React.useMemo(() => {\n if (!synthBalances || !synthBalances.length) {\n return;\n }\n return synthBalances\n .filter(({ balance }) => balance.gt(wei(0.01))) // ignore the dust\n .sort((a, b) => a.synth.symbol.localeCompare(b.synth.symbol))\n .sort((a, b) => b.balance.toNumber() - a.balance.toNumber());\n }, [synthBalances]);\n\n return (\n \n \n \n \n Synths\n \n balance.gt(0)))}\n _disabled={{\n bg: 'gray.900',\n backgroundImage: 'none',\n color: 'gray.500',\n opacity: 0.5,\n cursor: 'not-allowed',\n }}\n data-cy=\"unwrap synths submit\"\n onClick={() => {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_unwrap_synths_v3`,\n ]);\n unwrapAll();\n }}\n >\n Unwrap\n \n \n \n \n \n \n Token\n \n \n Synth balance\n \n \n \n \n \n \n \n {!walletAddress ? (\n \n \n \n Please connect wallet to view synths\n \n \n \n ) : null}\n {walletAddress && isPendingSynthBalances ? : null}\n {!isPendingSynthBalances && filteredSynths && filteredSynths.length === 0 ? (\n \n \n \n You do not have any synths\n \n \n \n ) : null}\n\n {filteredSynths\n ? filteredSynths.map(({ synth, balance }, i) => (\n \n \n \n ))\n : null}\n \n
\n \n );\n}\n","import { Alert, AlertIcon, Collapse, Flex, Heading, Link, Text } from '@chakra-ui/react';\nimport { PoolsList } from '@snx-v3/Pools';\nimport { PositionsList } from '@snx-v3/Positions';\nimport { Rewards } from '@snx-v3/Rewards';\nimport { StatsTotalLocked } from '@snx-v3/StatsTotalLocked';\nimport { StatsTotalPnl } from '@snx-v3/StatsTotalPnl';\nimport { StataUSDC, Synths } from '@snx-v3/Synths';\nimport { MAINNET, OPTIMISM, useNetwork } from '@snx-v3/useBlockchain';\nimport React from 'react';\nimport { Helmet } from 'react-helmet';\n\nexport function DashboardPage() {\n const { network } = useNetwork();\n return (\n <>\n \n Synthetix Liquidity V3 \n \n \n \n \n \n \n \n From March 24th the liquidation ratio is being raised on legacy positions.{' '}\n \n Migrate to 420 Pool immediately.\n \n \n \n \n\n \n \n \n Stake and Earn\n \n \n Deposit SNX to earn a privileged share of protocol performance\n \n \n \n \n \n \n \n\n \n \n Positions\n \n \n \n \n \n \n \n\n \n \n \n \n \n\n \n \n Vaults\n \n \n \n \n >\n );\n}\n","import { Container, Flex, Link } from '@chakra-ui/react';\nimport { DiscordIcon, GithubIcon, Logo, WarpcastIcon, XIcon, YoutubeIcon } from '@snx-v3/icons';\n\nexport const Footer = () => {\n return (\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n );\n};\n","import { CopyIcon, SettingsIcon } from '@chakra-ui/icons';\nimport {\n Badge,\n Button,\n Flex,\n IconButton,\n Link,\n Menu,\n MenuButton,\n MenuItem,\n MenuList,\n Text,\n} from '@chakra-ui/react';\nimport { prettyString, renderAccountId } from '@snx-v3/format';\nimport { WalletIcon } from '@snx-v3/icons';\nimport { Tooltip } from '@snx-v3/Tooltip';\nimport { useAccounts } from '@snx-v3/useAccounts';\nimport { NetworkIcon, NETWORKS, useNetwork, useWallet } from '@snx-v3/useBlockchain';\nimport { makeSearch, useParams } from '@snx-v3/useParams';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst mainnets = NETWORKS.filter(({ isSupported, isTestnet }) => isSupported && !isTestnet);\n\nexport function NetworkController() {\n const [params, setParams] = useParams();\n\n const [toolTipLabel, setTooltipLabel] = React.useState('Copy');\n const { activeWallet, walletsInfo, connect, disconnect } = useWallet();\n const { network: currentNetwork, setNetwork } = useNetwork();\n const { data: accounts, isPending: isPendingAccounts } = useAccounts();\n\n const paramsAccountId = React.useMemo(() => {\n try {\n if (params.accountId && params.accountId.length > 0) {\n return ethers.BigNumber.from(params.accountId);\n }\n } catch {\n // malformed account id in url\n }\n }, [params.accountId]);\n\n const notConnected = !activeWallet;\n const notSupported = activeWallet && !currentNetwork;\n\n React.useEffect(() => {\n if (notConnected) {\n const { accountId: _, ...newParams } = params;\n setParams(newParams);\n return;\n }\n if (!isPendingAccounts && accounts) {\n if (accounts.length > 0 && !params.accountId) {\n setParams({ ...params, accountId: accounts[0].toString() });\n return;\n }\n if (\n accounts.length > 0 &&\n paramsAccountId &&\n !accounts.some((account) => account.eq(paramsAccountId))\n ) {\n setParams({ ...params, accountId: accounts[0].toString() });\n return;\n }\n if (!accounts.length) {\n const { accountId: _, ...newParams } = params;\n setParams(newParams);\n return;\n }\n }\n }, [accounts, isPendingAccounts, notConnected, params, paramsAccountId, setParams]);\n\n React.useEffect(() => {\n if (window.$magicWallet) {\n connect({ autoSelect: { disableModals: true, label: 'MetaMask' } });\n }\n }, [connect]);\n\n if (!activeWallet) {\n return (\n connect()}\n type=\"button\"\n size=\"sm\"\n ml={2}\n py={5}\n >\n Connect Wallet\n \n );\n }\n return (\n \n {currentNetwork ? (\n \n span': { display: 'flex', alignItems: 'center' } }}\n mr={1}\n px={3}\n >\n \n \n {currentNetwork.label}\n \n \n \n {mainnets.map(({ id, preset, label }) => (\n setNetwork(id)}\n isDisabled={window.$chainId ? window.$chainId !== id : false}\n >\n \n \n {label}\n \n \n ))}\n \n \n ) : null}\n \n \n \n \n {activeWallet.ens?.name || prettyString(activeWallet.address)}\n \n \n \n \n \n \n \n Connected with {walletsInfo?.label}\n \n {\n if (walletsInfo) {\n disconnect(walletsInfo);\n }\n }}\n size=\"xs\"\n variant=\"outline\"\n colorScheme=\"gray\"\n color=\"white\"\n >\n Disconnect\n \n \n \n \n {prettyString(activeWallet.address)} \n \n \n {\n navigator.clipboard.writeText(activeWallet.address);\n setTooltipLabel('Copied');\n setTimeout(() => {\n setTooltipLabel('Copy');\n }, 10000);\n }}\n />\n \n \n\n {accounts && accounts.length > 0 ? (\n \n \n \n {accounts.length > 1 ? 'Accounts' : 'Account'}\n \n {\n e.preventDefault();\n setParams({ page: 'settings', accountId: params.accountId });\n }}\n >\n }\n aria-label=\"account settings\"\n />\n \n \n \n {accounts?.map((accountId) => (\n {\n e.stopPropagation();\n setParams({ ...params, accountId: accountId.toString() });\n }}\n >\n {renderAccountId(accountId)}\n {paramsAccountId && accountId.eq(paramsAccountId) ? (\n \n Connected\n \n ) : null}\n \n ))}\n \n \n ) : null}\n \n \n \n \n \n );\n}\n","import { Container, Flex, Link, useDisclosure } from '@chakra-ui/react';\nimport { Logo, LogoIcon } from '@snx-v3/icons';\nimport { useEffect } from 'react';\nimport { NavLink as RouterLink, useLocation } from 'react-router-dom';\nimport { NetworkController } from './NetworkController';\n\nexport default function Header() {\n const { onClose } = useDisclosure();\n const location = useLocation();\n\n useEffect(() => {\n onClose();\n }, [location, onClose]);\n\n return (\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n );\n}\n","import { Flex, FlexProps } from '@chakra-ui/react';\n\nexport const BorderBox = (props: FlexProps) => (\n \n);\n","import Wei, { wei } from '@synthetixio/wei';\nimport React, { createContext, useState, PropsWithChildren, Dispatch, SetStateAction } from 'react';\n\nexport const ManagePositionContext = createContext<{\n collateralChange: Wei;\n debtChange: Wei;\n withdrawAmount: Wei;\n setDebtChange: Dispatch>;\n setCollateralChange: Dispatch>;\n setWithdrawAmount: Dispatch>;\n}>({\n collateralChange: wei(0),\n debtChange: wei(0),\n withdrawAmount: wei(0),\n // eslint-disable-next-line @typescript-eslint/no-empty-function\n setDebtChange: () => {},\n // eslint-disable-next-line @typescript-eslint/no-empty-function\n setCollateralChange: () => {},\n setWithdrawAmount: () => {},\n});\n\nexport const ManagePositionProvider: React.FC = ({ children }) => {\n const [debtChange, setDebtChange] = useState(wei(0));\n const [collateralChange, setCollateralChange] = useState(wei(0));\n const [withdrawAmount, setWithdrawAmount] = useState(wei(0));\n\n return (\n \n {children}\n \n );\n};\n","import { Input, InputProps } from '@chakra-ui/react';\nimport { Wei, wei } from '@synthetixio/wei';\nimport { ChangeEvent, useCallback, useEffect, useRef, useState } from 'react';\n\nexport interface NumberInputProps extends InputProps {\n 'data-cy'?: string;\n 'data-max'?: string;\n}\n\nexport const NUMBER_REGEX = /^([0-9]*[.])?[0-9]{0,18}$/;\n\nfunction cleanupNumber(value: Wei) {\n // Cleanup trailing precision zeroes\n const float = parseFloat(value.toString());\n if (float === value.toNumber()) {\n return `${float}`;\n }\n return value.toString();\n}\n\nexport function NumberInput({\n value,\n onChange,\n min,\n max,\n InputProps,\n disabled,\n}: {\n onChange?: (value: Wei) => void;\n value: Wei;\n min?: Wei;\n max?: Wei;\n InputProps?: NumberInputProps;\n disabled?: boolean;\n}) {\n const [inputValue, setInputValue] = useState(value.gt(0) ? value.toString() : '');\n\n const onInputChange = useCallback(\n (e: ChangeEvent) => {\n // Define max length here\n if (e.target.value.length > 24) return;\n\n let _value = e.target.value;\n\n if (!isNaN(Number(e.target.value))) {\n if (!!min && min.gt(Number(e.target.value))) {\n _value = min.toNumber().toString();\n }\n }\n\n setInputValue(_value);\n if (!onChange) {\n // Could be a read-only input\n return;\n }\n if (!NUMBER_REGEX.test(`${_value}`)) {\n return;\n }\n let nextValue = value;\n try {\n nextValue = wei(_value || 0);\n } catch (_err) {\n // whatever\n }\n if (!value.eq(nextValue)) {\n onChange(nextValue);\n }\n },\n [min, onChange, value]\n );\n\n const ref = useRef(null);\n\n useEffect(() => {\n if (!ref.current) {\n return;\n }\n if (!NUMBER_REGEX.test(`${inputValue}`)) {\n ref.current.setCustomValidity('Invalid number');\n return;\n }\n if (value && value.eq(0)) {\n ref.current.setCustomValidity('Value required');\n return;\n }\n if (min && min.gte(0) && value && value.lt(min)) {\n ref.current.setCustomValidity(`Value smaller than minimum of ${cleanupNumber(min)}`);\n return;\n }\n if (max && max.gte(0) && value && value.gt(max)) {\n ref.current.setCustomValidity(`Value greater than maximum of ${cleanupNumber(max)}`);\n return;\n }\n ref.current.setCustomValidity('');\n }, [inputValue, min, max, value]);\n\n useEffect(() => {\n if (value.eq(0)) {\n return setInputValue('');\n }\n return setInputValue(cleanupNumber(value));\n }, [value]);\n\n return (\n \n );\n}\n","import { calculateCRatio } from '@snx-v3/calculations';\nimport { POOL_ID } from '@snx-v3/constants';\nimport { contractsHash } from '@snx-v3/tsHelpers';\nimport { useNetwork, useProviderForChain } from '@snx-v3/useBlockchain';\nimport { CollateralType } from '@snx-v3/useCollateralTypes';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { erc7412Call } from '@snx-v3/withERC7412';\nimport Wei, { wei } from '@synthetixio/wei';\nimport { useQuery } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\n\nconst log = debug('snx:useLiquidityPosition');\n\nexport type LiquidityPositionType = {\n collateralType: CollateralType;\n collateralPrice: Wei;\n availableCollateral: Wei;\n availableSystemToken: Wei;\n collateralAmount: Wei;\n collateralValue: Wei;\n debt: Wei;\n cRatio: Wei;\n totalDeposited: Wei;\n totalAssigned: Wei;\n totalLocked: Wei;\n};\n\nexport const useLiquidityPosition = ({\n accountId,\n collateralType,\n}: {\n accountId?: string;\n collateralType?: CollateralType;\n}) => {\n const { data: CoreProxy } = useCoreProxy();\n const { network } = useNetwork();\n const provider = useProviderForChain(network!);\n const { data: systemToken } = useSystemToken();\n\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'LiquidityPosition',\n { accountId },\n { tokenAddress: collateralType?.tokenAddress },\n { contractsHash: contractsHash([CoreProxy, systemToken]) },\n ],\n enabled: Boolean(\n network && provider && CoreProxy && systemToken && accountId && collateralType\n ),\n queryFn: async (): Promise => {\n if (!(network && provider && CoreProxy && systemToken && accountId && collateralType)) {\n throw 'OMFG';\n }\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n\n const getAccountAvailableSystemTokenCallPromised =\n CoreProxyContract.populateTransaction.getAccountAvailableCollateral(\n accountId,\n systemToken.address\n );\n const getPositionCollateralCallPromised =\n CoreProxyContract.populateTransaction.getPositionCollateral(\n accountId,\n POOL_ID,\n collateralType.tokenAddress\n );\n const getPositionDebtCallPromised = CoreProxyContract.populateTransaction.getPositionDebt(\n accountId,\n POOL_ID,\n collateralType.tokenAddress\n );\n const getCollateralPriceCallPromised =\n CoreProxyContract.populateTransaction.getCollateralPrice(collateralType.tokenAddress);\n\n const getAccountCollateralCallPromised =\n CoreProxyContract.populateTransaction.getAccountCollateral(\n accountId,\n collateralType.tokenAddress\n );\n\n const calls = await Promise.all([\n getAccountAvailableSystemTokenCallPromised,\n getPositionCollateralCallPromised,\n getPositionDebtCallPromised,\n getCollateralPriceCallPromised,\n getAccountCollateralCallPromised,\n ]);\n\n return await erc7412Call(\n network,\n provider,\n calls,\n (decodedMulticall) => {\n log('collateralType', collateralType);\n\n const [accountAvailableSystemToken] = CoreProxyContract.interface.decodeFunctionResult(\n 'getAccountAvailableCollateral',\n decodedMulticall[0].returnData\n );\n log('accountAvailableSystemToken', accountAvailableSystemToken);\n\n const [positionCollateral] = CoreProxyContract.interface.decodeFunctionResult(\n 'getPositionCollateral',\n decodedMulticall[1].returnData\n );\n log('positionCollateral', positionCollateral);\n\n const [positionDebt] = CoreProxyContract.interface.decodeFunctionResult(\n 'getPositionDebt',\n decodedMulticall[1 + 1].returnData\n );\n log('positionDebt', positionDebt);\n\n const [collateralPriceRaw] = CoreProxyContract.interface.decodeFunctionResult(\n 'getCollateralPrice',\n decodedMulticall[1 + 2].returnData\n );\n log('collateralPriceRaw', collateralPriceRaw);\n\n const [totalDepositedBigNumber, totalAssignedBigNumber, totalLockedBigNumber] =\n CoreProxyContract.interface.decodeFunctionResult(\n 'getAccountCollateral',\n decodedMulticall[1 + 3].returnData\n );\n\n const totalDeposited = wei(totalDepositedBigNumber);\n const totalAssigned = wei(totalAssignedBigNumber);\n const totalLocked = wei(totalLockedBigNumber);\n log('totalDeposited', totalDeposited);\n log('totalAssigned', totalAssigned);\n log('totalLocked', totalLocked);\n\n const availableCollateral = wei(totalDeposited.sub(totalAssigned).sub(totalLocked));\n const availableSystemToken = wei(accountAvailableSystemToken);\n\n const collateralPrice = wei(collateralPriceRaw);\n const collateralAmount = wei(positionCollateral);\n const collateralValue = collateralAmount.mul(collateralPrice);\n const debt = wei(positionDebt);\n const cRatio = calculateCRatio(debt, collateralValue);\n\n const liquidityPosition = {\n collateralType,\n collateralPrice,\n availableCollateral,\n availableSystemToken,\n collateralAmount,\n collateralValue,\n debt,\n cRatio,\n totalDeposited,\n totalAssigned,\n totalLocked,\n };\n\n log('liquidityPosition', liquidityPosition);\n return liquidityPosition;\n },\n 'useLiquidityPosition'\n );\n },\n });\n};\n","import { ZEROWEI } from '@snx-v3/constants';\nimport { useOfflinePrices } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCollateralTypes } from '@snx-v3/useCollateralTypes';\nimport { wei } from '@synthetixio/wei';\nimport { useMemo } from 'react';\n\nexport const useTokenPrice = (symbol?: string) => {\n const { data: collateralTypes } = useCollateralTypes(true);\n\n const pythCollateralPrices = collateralTypes?.filter((item) => item.symbol !== 'stataUSDC');\n\n const { data: collateralPrices } = useOfflinePrices(\n (pythCollateralPrices || []).map((item) => ({\n id: item.tokenAddress,\n oracleId: item.oracleNodeId,\n symbol: item.symbol,\n }))\n );\n\n return useMemo(() => {\n if (!collateralTypes || !collateralPrices) {\n return ZEROWEI;\n }\n const collateralPrice =\n symbol === 'stataUSDC'\n ? collateralPrices.find((price) => `${price.symbol}`.toUpperCase() === 'USDC')\n : collateralPrices.find(\n (price) => `${price.symbol}`.toUpperCase() === `${symbol}`.toUpperCase()\n );\n return collateralPrice && collateralPrice.price ? wei(collateralPrice.price) : ZEROWEI;\n }, [collateralPrices, collateralTypes, symbol]);\n};\n","import { MultistepStatus } from './MultistepStatus';\n\nexport function statusColor(status: MultistepStatus): string {\n switch (true) {\n // order matters\n case status.failed:\n return 'red.700';\n case status.disabled:\n return 'gray.900';\n case status.loading:\n return 'gray.900';\n case status.success:\n return 'green.700';\n default:\n return 'gray.900';\n }\n}\n","import { createIcon } from '@chakra-ui/icon';\nimport { Box, Spinner } from '@chakra-ui/react';\nimport { PropsWithChildren } from 'react';\nimport { MultistepStatus } from './MultistepStatus';\n\nexport const CheckIcon = createIcon({\n viewBox: '0 0 14 14',\n path: (\n \n \n \n ),\n});\n\nexport const CloseIcon = createIcon({\n d: 'M.439,21.44a1.5,1.5,0,0,0,2.122,2.121L11.823,14.3a.25.25,0,0,1,.354,0l9.262,9.263a1.5,1.5,0,1,0,2.122-2.121L14.3,12.177a.25.25,0,0,1,0-.354l9.263-9.262A1.5,1.5,0,0,0,21.439.44L12.177,9.7a.25.25,0,0,1-.354,0L2.561.44A1.5,1.5,0,0,0,.439,2.561L9.7,11.823a.25.25,0,0,1,0,.354Z',\n});\n\nexport function StepIcon({ status, children }: PropsWithChildren<{ status: MultistepStatus }>) {\n switch (true) {\n case status.failed:\n return ;\n case status.success:\n return ;\n case status.loading:\n return ;\n case status.disabled:\n default:\n return (\n \n {children}\n \n );\n }\n}\n","import { Flex } from '@chakra-ui/react';\nimport { PropsWithChildren } from 'react';\nimport { MultistepStatus } from './MultistepStatus';\nimport { statusColor } from './statusColor';\nimport { StepIcon } from './StepIcon';\n\nexport function Step({ status, children }: PropsWithChildren<{ status: MultistepStatus }>) {\n return (\n \n {children} \n \n );\n}\n","import { Box, Checkbox, CheckboxProps, Flex, FlexProps, Text } from '@chakra-ui/react';\nimport { PropsWithChildren, ReactNode } from 'react';\nimport { MultistepStatus } from './MultistepStatus';\nimport { statusColor } from './statusColor';\nimport { Step } from './Step';\n\nfunction StepCheckbox({ children, ...props }: PropsWithChildren) {\n return (\n \n \n \n {children}\n \n \n \n );\n}\n\ninterface Props extends Omit {\n step: number;\n title: string | ReactNode;\n subtitle?: string | ReactNode;\n checkboxLabel?: string;\n checkboxProps?: CheckboxProps;\n status: MultistepStatus;\n children?: ReactNode | undefined;\n}\n\nexport function Multistep({\n step,\n title,\n subtitle,\n checkboxLabel,\n checkboxProps,\n status,\n children,\n ...props\n}: Props) {\n return (\n \n {step} \n \n \n {title}\n \n {subtitle ? (\n \n {subtitle}\n \n ) : null}\n {checkboxLabel ? {checkboxLabel} : null}\n {children}\n \n \n );\n}\n","import { Alert, Button, Divider, Flex, Heading, Text } from '@chakra-ui/react';\nimport { CheckIcon } from '@snx-v3/Multistep';\nimport { ReactNode } from 'react';\n\nexport function LiquidityPositionUpdated({\n title,\n subline,\n alertText,\n summary,\n onClose,\n}: {\n title?: ReactNode;\n subline?: ReactNode;\n alertText?: ReactNode;\n summary?: ReactNode;\n onClose: () => void;\n}) {\n return (\n \n {title && (\n <>\n \n {title}\n \n \n >\n )}\n {subline && (\n \n {subline}\n \n )}\n \n \n \n \n \n {alertText}\n \n \n\n {summary}\n\n \n Continue\n \n \n );\n}\n","import { ArrowForwardIcon } from '@chakra-ui/icons';\nimport { Flex, Text } from '@chakra-ui/react';\nimport Wei from '@synthetixio/wei';\nimport React from 'react';\n\nconst styles = {\n sm: {\n fontSize: '12px',\n fontWeight: '700',\n lineHeight: '14px',\n },\n md: {\n fontSize: '16px',\n fontWeight: '400',\n lineHeight: '16px',\n },\n lg: {\n fontSize: '18px',\n fontWeight: '800',\n lineHeight: '24px',\n },\n};\n\nexport function ChangeStat({\n formatFn,\n value,\n newValue,\n hasChanges,\n 'data-cy': dataCy,\n size = 'lg',\n isPending,\n}: {\n value?: Wei;\n newValue: Wei;\n hasChanges: boolean;\n 'data-cy'?: string;\n formatFn: (val?: Wei) => React.ReactNode;\n size?: 'sm' | 'md' | 'lg';\n isPending?: boolean;\n}) {\n return (\n \n \n {isPending ? '~' : formatFn(value)}\n \n {hasChanges && !isPending && (!value || !value.eq(newValue)) ? (\n \n \n \n {formatFn(newValue)}\n \n \n ) : null}\n \n );\n}\n","import { InfoIcon } from '@chakra-ui/icons';\nimport { Flex, Text, Tooltip } from '@chakra-ui/react';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { DebtAmount } from '@snx-v3/DebtAmount';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { type Wei } from '@synthetixio/wei';\n\nexport function DebtStats({ newDebt, hasChanges }: { newDebt: Wei; hasChanges: boolean }) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n return (\n \n \n \n \n Debt\n \n \n Debt consists of:\n \n - Your portion of the pool's total debt, which fluctuates based on trader\n performance and market conditions\n - The amount you've borrowed against your collateral without incurring\n interest\n \n }\n textAlign=\"start\"\n py={2}\n px={3}\n >\n \n \n \n \n \n \n }\n hasChanges={hasChanges}\n data-cy=\"stats debt\"\n />\n \n \n \n );\n}\n","import { BigNumber } from 'ethers';\nimport { z } from 'zod';\nimport { wei } from '@synthetixio/wei';\n\nexport const ZodBigNumber = z.custom((val) => BigNumber.isBigNumber(val));\n\nexport const SmallIntSchema = ZodBigNumber.transform((x) => wei(x, 0).toNumber());\nexport const WeiSchema = ZodBigNumber.transform((x) => wei(x));\n","import { POOL_ID } from '@snx-v3/constants';\nimport { contractsHash } from '@snx-v3/tsHelpers';\nimport { Network, useNetwork, useProviderForChain } from '@snx-v3/useBlockchain';\nimport { useCollateralTypes } from '@snx-v3/useCollateralTypes';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { erc7412Call } from '@snx-v3/withERC7412';\nimport { ZodBigNumber } from '@snx-v3/zod';\nimport { wei } from '@synthetixio/wei';\nimport { useQuery } from '@tanstack/react-query';\nimport { ethers } from 'ethers';\nimport { z } from 'zod';\n\nconst VaultCollateralSchema = z\n .object({ value: ZodBigNumber, amount: ZodBigNumber })\n .transform(({ value, amount }) => ({ value: wei(value), amount: wei(amount) }));\n\nexport const useVaultsData = (customNetwork?: Network) => {\n const { network: currentNetwork } = useNetwork();\n const network = customNetwork ?? currentNetwork;\n\n const { data: collateralTypes } = useCollateralTypes(false, network);\n const { data: CoreProxy } = useCoreProxy(network);\n\n const provider = useProviderForChain(network);\n\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'VaultsData',\n { contractsHash: contractsHash([CoreProxy, ...(collateralTypes ?? [])]) },\n ],\n enabled: Boolean(CoreProxy && collateralTypes && network && provider),\n queryFn: async () => {\n if (!(CoreProxy && collateralTypes && network && provider)) {\n throw Error('useVaultsData should not be enabled when missing data');\n }\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n const calls = await Promise.all(\n collateralTypes.map((collateralType) =>\n CoreProxyContract.populateTransaction.getVaultCollateral(\n POOL_ID,\n collateralType.tokenAddress\n )\n )\n );\n\n return await erc7412Call(\n network,\n provider,\n calls,\n (decodedMulticall) => {\n return decodedMulticall.map(({ returnData }, i) => {\n const CoreProxyInterface = new ethers.utils.Interface(CoreProxy.abi);\n const vaultCollateral = CoreProxyInterface.decodeFunctionResult(\n 'getVaultCollateral',\n returnData\n );\n const collateral = VaultCollateralSchema.parse({ ...vaultCollateral });\n return {\n collateral,\n collateralType: collateralTypes[i],\n };\n });\n },\n 'useVaultsData'\n );\n },\n });\n};\n","import { ArrowUpIcon } from '@chakra-ui/icons';\nimport { Flex, Heading, Link, Text } from '@chakra-ui/react';\nimport { formatNumberToUsd } from '@snx-v3/formatters';\nimport { getStatsUrl } from '@snx-v3/getStatsUrl';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { NetworkIcon, useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useVaultsData } from '@snx-v3/useVaultsData';\nimport React from 'react';\n\n// import { useApr } from '@snx-v3/useApr';\n\nexport function PositionTitle() {\n const { network } = useNetwork();\n\n const [params] = useParams();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const { data: vaultsData, isPending: isPendingVaultsData } = useVaultsData(network);\n\n // const { data: aprData, isPending: isAprLoading } = useApr(network);\n // const { collateral: totalCollateral, debt: totalDebt } = React.useMemo(() => {\n // const zeroValues = { collateral: { value: wei(0), amount: wei(0) }, debt: wei(0) };\n // if (!vaultsData) return zeroValues;\n //\n // return vaultsData.reduce((acc, { collateral, debt }) => {\n // acc.collateral = {\n // value: acc.collateral.value.add(collateral.value),\n // amount: acc.collateral.amount.add(collateral.amount),\n // };\n // acc.debt = acc.debt.add(debt);\n // return acc;\n // }, zeroValues);\n // }, [vaultsData]);\n\n const vaultData = React.useMemo(() => {\n if (vaultsData && collateralType) {\n return vaultsData.find(\n (item) => item.collateralType.address.toLowerCase() === collateralType.address.toLowerCase()\n );\n }\n }, [collateralType, vaultsData]);\n\n return (\n \n \n \n \n \n \n {collateralType?.displaySymbol ?? params.collateralSymbol} Liquidity Position\n \n \n \n \n {network?.label} Network \n \n \n TVL \n \n {isPendingVaultsData\n ? '~'\n : vaultData\n ? formatNumberToUsd(vaultData.collateral.value.toNumber(), {\n maximumFractionDigits: 0,\n })\n : '-'}\n \n \n \n More Stats \n \n \n \n \n \n );\n}\n","export function getStatsUrl(chainId?: number) {\n if (chainId === 1) {\n return 'https://stats.synthetix.io/all/?page=ethereum';\n }\n if (chainId === 10) {\n return 'https://stats.synthetix.io/all/?page=optimism';\n }\n if (chainId === 8453) {\n return 'https://stats.synthetix.io/all/?page=base';\n }\n if (chainId === 42161) {\n return 'https://stats.synthetix.io/all/?page=arbitrum';\n }\n return 'https://stats.synthetix.io/all/';\n}\n","import { Button, Flex, Image, Link, Text } from '@chakra-ui/react';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport CoinImage from './coin.png';\n\nexport function StataDepositBanner() {\n return (\n \n \n \n This position earns yield via Aave and Synthetix\n \n \n Deposit USDC, and we’ll wrap it into Static aUSDC for you. Watch your balance stay the\n same while the value grows, earning effortless yield through Aave and Synthetix.\n \n \n Read more about Static aUSDC\n \n \n\n \n \n );\n}\n","import { calculateCRatio } from '@snx-v3/calculations';\nimport { Wei, wei } from '@synthetixio/wei';\n\nexport const validatePosition = ({\n issuanceRatioD18,\n collateralAmount,\n collateralPrice,\n debt,\n collateralChange,\n debtChange,\n}: {\n issuanceRatioD18?: Wei;\n collateralAmount?: Wei;\n collateralPrice?: Wei;\n debt?: Wei;\n collateralChange: Wei;\n debtChange: Wei;\n}) => {\n const targetCRatio = issuanceRatioD18 ? issuanceRatioD18 : wei(1);\n const newDebt = wei(debt || 0).add(debtChange);\n const newCollateralAmount = wei(collateralAmount || 0).add(collateralChange);\n const newCollateralValue = newCollateralAmount.mul(collateralPrice || 0);\n\n const newCRatio = calculateCRatio(newDebt, newCollateralValue);\n\n const maybeMaxDebt = wei(newCollateralAmount)\n .mul(collateralPrice || 0)\n .div(targetCRatio)\n .sub(debt || 0);\n\n const maxDebt = maybeMaxDebt.gte(0) ? maybeMaxDebt : wei(0);\n\n const isValid =\n (debtChange.lte(0) && collateralChange.gte(0)) ||\n ((newCRatio.gte(targetCRatio) || newCRatio.lte(0)) &&\n (newDebt.lte(0) || newCollateralAmount.gt(0)));\n\n return {\n isValid,\n hasChanges: !collateralChange.eq(0) || !debtChange.eq(0),\n newCRatio,\n newDebt,\n newCollateralAmount,\n maxDebt,\n };\n};\n","import { Flex, Link, Text } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { currency } from '@snx-v3/format';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { makeSearch, type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { type Wei } from '@synthetixio/wei';\n\nexport function CollateralStats({\n newCollateralAmount,\n hasChanges,\n}: {\n newCollateralAmount: Wei;\n hasChanges: boolean;\n}) {\n const [params, setParams] = useParams();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n return (\n \n \n \n \n Collateral\n \n \n \n \n \n `${currency(val ?? ZEROWEI)} ${\n collateralType?.displaySymbol ?? params.collateralSymbol\n }`\n }\n hasChanges={hasChanges}\n data-cy=\"stats collateral\"\n />\n {liquidityPosition ? (\n currency(val ?? ZEROWEI)}\n size=\"md\"\n hasChanges={hasChanges}\n data-cy=\"stats collateral value\"\n />\n ) : null}\n \n \n\n {liquidityPosition && liquidityPosition.totalLocked.gt(0) ? (\n \n \n Escrowed\n {' '}\n {\n e.preventDefault();\n setParams({ ...params, page: 'position', manageAction: 'locked' });\n }}\n >\n \n \n \n ) : null}\n \n \n );\n}\n","import { InfoIcon } from '@chakra-ui/icons';\nimport { Flex, Text } from '@chakra-ui/react';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { PnlAmount } from '@snx-v3/DebtAmount';\nimport { Tooltip } from '@snx-v3/Tooltip';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { type Wei } from '@synthetixio/wei';\n\nexport function PnlStats({ newDebt, hasChanges }: { newDebt: Wei; hasChanges: boolean }) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n return (\n \n \n \n \n PnL\n \n \n \n \n \n \n \n \n }\n hasChanges={hasChanges}\n data-cy=\"stats pnl\"\n />\n \n \n \n );\n}\n","import { Flex, Text } from '@chakra-ui/react';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { calculateCRatio } from '@snx-v3/calculations';\nimport { D27 } from '@snx-v3/constants';\nimport { CRatioBar } from '@snx-v3/CRatioBar';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useIsAndromedaStataUSDC } from '@snx-v3/useIsAndromedaStataUSDC';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useStaticAaveUSDCRate } from '@snx-v3/useStaticAaveUSDCRate';\nimport { validatePosition } from '@snx-v3/validatePosition';\nimport React from 'react';\nimport { CollateralStats } from './CollateralStats';\nimport { DebtStats } from './DebtStats';\nimport { PnlStats } from './PnlStats';\n\nexport function ManageStats() {\n const [params] = useParams();\n const { network } = useNetwork();\n\n const { debtChange, collateralChange } = React.useContext(ManagePositionContext);\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const isAndromedaStataUSDC = useIsAndromedaStataUSDC({\n tokenAddress: collateralType?.tokenAddress,\n });\n const { data: stataRate } = useStaticAaveUSDCRate();\n const adjustedCollateralChange = React.useMemo(() => {\n // Temporary adjustment until UI fully moves to show only USDC and avoid stata conversion\n if (isAndromedaStataUSDC && stataRate) {\n return collateralChange.div(stataRate).mul(D27);\n }\n return collateralChange;\n }, [collateralChange, isAndromedaStataUSDC, stataRate]);\n\n const cRatio = calculateCRatio(liquidityPosition?.debt, liquidityPosition?.collateralValue);\n const { newCRatio, newCollateralAmount, newDebt, hasChanges } = validatePosition({\n issuanceRatioD18: collateralType?.issuanceRatioD18,\n collateralAmount: liquidityPosition?.collateralAmount,\n collateralPrice: liquidityPosition?.collateralPrice,\n debt: liquidityPosition?.debt,\n collateralChange: adjustedCollateralChange,\n debtChange,\n });\n\n return (\n \n \n Overview\n \n \n \n {network?.preset === 'andromeda' ? (\n \n ) : (\n \n )}\n \n {network?.preset === 'andromeda' ? null : (\n \n \n \n )}\n \n );\n}\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Flex, Link, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { POOL_ID, ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { LiquidityPositionUpdated } from '@snx-v3/Manage';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { useAccountProxy } from '@snx-v3/useAccountProxy';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useClosePosition } from '@snx-v3/useClosePosition';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { usePythFeeds } from '@snx-v3/usePythFeeds';\nimport { usePythVerifier } from '@snx-v3/usePythVerifier';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useTrustedMulticallForwarder } from '@snx-v3/useTrustedMulticallForwarder';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:ClosePositionOneStep');\n\nexport function ClosePositionOneStep({\n onClose,\n onBack,\n}: {\n onClose: () => void;\n onBack: () => void;\n}) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, refetch: refetchLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { setCollateralChange, setDebtChange } = React.useContext(ManagePositionContext);\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const [txState, setTxState] = React.useState({ step: 0, status: 'idle' });\n\n const queryClient = useQueryClient();\n const errorParser = useContractErrorParser();\n\n const { data: CoreProxy } = useCoreProxy();\n const { data: Multicall3 } = useTrustedMulticallForwarder();\n const { data: AccountProxy } = useAccountProxy();\n const { data: ClosePosition } = useClosePosition();\n const { data: PythVerfier } = usePythVerifier();\n const { data: pythFeeds } = usePythFeeds();\n const { data: systemToken } = useSystemToken();\n\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const { network } = useNetwork();\n const signer = useSigner();\n const provider = useProvider();\n\n // const queryClient = useQueryClient();\n // queryClient.invalidateQueries();\n\n const { mutate: execClosePosition } = useMutation({\n mutationFn: async function () {\n log('params', params);\n log('collateralType', collateralType);\n\n setTxState({ step: 1, status: 'pending' });\n if (\n !(\n network &&\n provider &&\n signer &&\n CoreProxy &&\n Multicall3 &&\n AccountProxy &&\n ClosePosition &&\n PythVerfier &&\n pythFeeds &&\n params.accountId &&\n systemToken?.address &&\n collateralType?.tokenAddress\n )\n ) {\n throw new Error('Not ready');\n }\n\n const ClosePositionContract = new ethers.Contract(\n ClosePosition.address,\n ClosePosition.abi,\n signer\n );\n const AccountProxyContract = new ethers.Contract(\n AccountProxy.address,\n AccountProxy.abi,\n signer\n );\n const TokenContract = new ethers.Contract(\n systemToken?.address,\n ['function approve(address spender, uint256 amount) returns (bool)'],\n signer\n );\n\n const { data: freshLiquidityPosition } = await refetchLiquidityPosition({\n throwOnError: true,\n });\n if (!freshLiquidityPosition) {\n throw new Error('Could not fetch fresh liquidity position');\n }\n const adjustedAllowance = freshLiquidityPosition.debt.lt(1)\n ? // For the case when debt fluctuates from negative/zero to slightly positive\n ethers.utils.parseEther('1')\n : // Add extra buffer for debt fluctuations\n freshLiquidityPosition.debt.mul(120).div(100).toBN();\n log('adjustedAllowance', adjustedAllowance);\n\n const approveAccountTx = AccountProxyContract.populateTransaction.approve(\n ClosePosition.address,\n params.accountId\n );\n const approveUsdTx = TokenContract.populateTransaction.approve(\n ClosePosition.address,\n adjustedAllowance\n );\n const closePositionTx = ClosePositionContract.populateTransaction.closePosition(\n CoreProxy.address,\n AccountProxy.address,\n params.accountId,\n POOL_ID,\n collateralType.tokenAddress\n );\n const callsPromise = Promise.all([approveAccountTx, approveUsdTx, closePositionTx]);\n const [calls] = await Promise.all([callsPromise]);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useClosePosition',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'TransferableSynthetix',\n 'AccountCollateralUnlockDate',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n\n setCollateralChange(ZEROWEI);\n setDebtChange(ZEROWEI);\n setTxState({ step: 1, status: 'success' });\n },\n\n onError: (error) => {\n setTxState({ step: 1, status: 'error' });\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Transaction failed',\n variant: 'left-accent',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n duration: 3_600_000,\n });\n throw Error('Transaction failed', { cause: error });\n },\n });\n\n if (txState.status === 'success') {\n return (\n \n Your position has been successfully closed. To learn more, visit the{' '}\n \n Synthetix V3 Documentation\n \n >\n }\n alertText={<>Position successfully closed>}\n />\n );\n }\n\n return (\n \n \n \n Close Position\n \n \n \n Approve close position on behalf \n {liquidityPosition && liquidityPosition.debt && liquidityPosition.debt.gt(0) ? (\n \n \n \n ) : null}\n {liquidityPosition && liquidityPosition.debt && liquidityPosition.debt.lt(0) ? (\n \n \n \n ) : null}\n {liquidityPosition ? (\n \n ) : null}\n >\n }\n status={{\n failed: txState.status === 'error',\n success: txState.status === 'success',\n loading: txState.status === 'pending',\n }}\n />\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_close_position_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n execClosePosition();\n }}\n mt=\"6\"\n >\n {txState.status === 'error' ? 'Retry' : null}\n {txState.status === 'pending' ? 'Processing...' : null}\n {txState.status === 'idle' ? 'Execute Transaction' : null}\n \n \n );\n}\n","import { importPythVerifier } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function usePythVerifier(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'PythVerifier'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw new Error('OMFG');\n return importPythVerifier(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { importPythFeeds } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function usePythFeeds(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'PythFeeds'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw new Error('OMFG');\n return importPythFeeds(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { useQuery } from '@tanstack/react-query';\nimport { useWallet, useNetwork, useProvider } from '@snx-v3/useBlockchain';\nimport { BigNumber, Contract } from 'ethers';\n\nconst abi = ['function allowance(address, address) view returns (uint256)'];\n\nexport const useAllowance = ({\n contractAddress,\n spender,\n}: {\n contractAddress?: string;\n spender?: string;\n}) => {\n const { activeWallet } = useWallet();\n const { network } = useNetwork();\n const provider = useProvider();\n\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'Allowance',\n { accountAddress: activeWallet?.address },\n { contractAddress, spender },\n ],\n queryFn: async () => {\n if (!(contractAddress && spender && activeWallet?.address && provider))\n throw new Error('OMG');\n const contract = new Contract(contractAddress, abi, provider);\n const allowance = await contract.allowance(activeWallet.address, spender);\n\n return BigNumber.from(allowance);\n },\n enabled: Boolean(activeWallet?.address && contractAddress && spender && provider),\n });\n};\n","import { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useAllowance } from '@snx-v3/useAllowance';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:useApprove');\n\nexport const approveAbi = ['function approve(address spender, uint256 amount) returns (bool)'];\n\nexport const useApprove = ({\n contractAddress,\n amount,\n spender,\n}: {\n contractAddress?: string;\n amount?: ethers.BigNumber;\n spender?: string;\n}) => {\n const [txnState, dispatch] = React.useReducer(reducer, initialState);\n const { data: allowance, refetch: refetchAllowance } = useAllowance({ contractAddress, spender });\n const sufficientAllowance = allowance && amount && allowance.gte(amount);\n\n const { network } = useNetwork();\n const signer = useSigner();\n const provider = useProvider();\n\n const queryClient = useQueryClient();\n const isReady =\n network &&\n provider &&\n signer &&\n contractAddress &&\n spender &&\n amount &&\n // Make it boolean\n true;\n\n const mutation = useMutation({\n mutationFn: async (infiniteApproval: boolean) => {\n log(`contractAddress`, contractAddress);\n log(`spender`, spender);\n log(`amount`, amount);\n if (!isReady) {\n throw new Error('Not ready');\n }\n if (sufficientAllowance) {\n dispatch({ type: 'success' });\n return;\n }\n\n dispatch({ type: 'prompting' });\n const contract = new ethers.Contract(contractAddress, approveAbi, signer);\n const amountToApprove = infiniteApproval ? ethers.constants.MaxUint256 : amount;\n log(`amountToApprove`, amountToApprove);\n\n const gasLimitPromised = contract.estimateGas.approve(spender, amountToApprove);\n const populatedTxnPromised = contract.populateTransaction.approve(spender, amountToApprove);\n const [gasLimit, populatedTxn] = await Promise.all([gasLimitPromised, populatedTxnPromised]);\n\n const txn = await signer.sendTransaction({\n ...populatedTxn,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'Allowance',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n isReady,\n mutation,\n txnState,\n isLoading: mutation.isPending,\n approve: mutation.mutateAsync,\n refetchAllowance,\n requireApproval: !sufficientAllowance,\n allowance,\n };\n};\n","import { POOL_ID } from '@snx-v3/constants';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport Wei from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport { useReducer } from 'react';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\n\nconst log = debug('snx:useBorrow');\n\nexport const useBorrow = ({ borrowAmount }: { borrowAmount?: Wei }) => {\n const [params] = useParams();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const [txnState, dispatch] = useReducer(reducer, initialState);\n\n const { data: CoreProxy } = useCoreProxy();\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const signer = useSigner();\n const provider = useProvider();\n const { network } = useNetwork();\n\n const queryClient = useQueryClient();\n\n const isReady =\n signer &&\n CoreProxy &&\n params.accountId &&\n collateralType?.address &&\n network &&\n provider &&\n !!borrowAmount;\n\n const mutation = useMutation({\n mutationFn: async () => {\n if (!isReady) {\n throw new Error('Not ready');\n }\n dispatch({ type: 'prompting' });\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n\n const populatedTxnPromised = CoreProxyContract.populateTransaction.mintUsd(\n ethers.BigNumber.from(params.accountId),\n ethers.BigNumber.from(POOL_ID),\n collateralType?.address,\n borrowAmount.toBN()\n );\n\n const callsPromise = Promise.all([populatedTxnPromised]);\n const [calls] = await Promise.all([callsPromise]);\n\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useBorrow',\n walletAddress\n );\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'TransferableSynthetix',\n 'AccountCollateralUnlockDate',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n isReady,\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n};\n","const abi = [\n 'function depositDebtToRepay(address synthetixCore, address spotMarket, address accountProxy, uint128 accountId, uint128 poolId, address collateralType, uint128 spotMarketId)',\n];\n\nexport async function importDebtRepayer(\n chainId?: number,\n preset?: string\n): Promise<{ address: string; abi: string[] }> {\n const deployment = `${Number(chainId).toFixed(0)}-${preset}`;\n switch (deployment) {\n case '8453-andromeda': {\n // https://basescan.org/address/0x624f2aB0f1DFF2297b9eca320898381Fbba4E3E3#code\n return { address: '0x624f2aB0f1DFF2297b9eca320898381Fbba4E3E3', abi };\n }\n case '84532-andromeda': {\n // https://sepolia.basescan.org/address/0xe4b0233F06a308B4732282e24ce7aE0c87bdEcbc#code\n return { address: '0xe4b0233F06a308B4732282e24ce7aE0c87bdEcbc', abi };\n }\n default: {\n throw new Error(`Unsupported deployment ${deployment} for DebtRepayer`);\n }\n }\n}\n","import { importDebtRepayer } from '@snx-v3/contracts';\nimport { Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function useDebtRepayer(customNetwork?: Network) {\n const { network } = useNetwork();\n const targetNetwork = customNetwork || network;\n\n return useQuery({\n queryKey: [`${targetNetwork?.id}-${targetNetwork?.preset}`, 'DebtRepayer'],\n enabled: Boolean(targetNetwork),\n queryFn: async function () {\n if (!targetNetwork) throw new Error('OMFG');\n return importDebtRepayer(targetNetwork.id, targetNetwork.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { POOL_ID } from '@snx-v3/constants';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useAccountProxy } from '@snx-v3/useAccountProxy';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { usePositionManager } from '@snx-v3/usePositionManager';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useTokenBalance } from '@snx-v3/useTokenBalance';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport Wei from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport { useReducer } from 'react';\n\nconst log = debug('snx:useRepay');\n\nexport function useRepay({ repayAmount }: { repayAmount?: Wei }) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const [txnState, dispatch] = useReducer(reducer, initialState);\n\n const { data: CoreProxy } = useCoreProxy();\n const { data: AccountProxy } = useAccountProxy();\n const { data: PositionManager } = usePositionManager();\n\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: systemToken } = useSystemToken();\n const { data: systemTokenBalance } = useTokenBalance(systemToken?.address);\n\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const signer = useSigner();\n const { network } = useNetwork();\n const provider = useProvider();\n\n const availableCollateral =\n systemTokenBalance && liquidityPosition\n ? systemTokenBalance.add(liquidityPosition.availableSystemToken)\n : undefined;\n\n const canRepay =\n liquidityPosition &&\n liquidityPosition.debt.gt(0) &&\n availableCollateral &&\n repayAmount &&\n availableCollateral.gte(repayAmount);\n\n const isReady =\n repayAmount &&\n repayAmount.gt(0) &&\n canRepay &&\n network &&\n provider &&\n signer &&\n CoreProxy &&\n AccountProxy &&\n PositionManager &&\n params.accountId &&\n systemToken?.address &&\n collateralType?.tokenAddress &&\n // Make it boolean\n true;\n\n const queryClient = useQueryClient();\n const mutation = useMutation({\n mutationFn: async () => {\n if (!isReady) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n\n const AccountProxyContract = new ethers.Contract(\n AccountProxy.address,\n AccountProxy.abi,\n signer\n );\n const TokenContract = new ethers.Contract(\n systemToken?.address,\n ['function approve(address spender, uint256 amount) returns (bool)'],\n signer\n );\n const PositionManagerContract = new ethers.Contract(\n PositionManager.address,\n PositionManager.abi,\n signer\n );\n\n const approveAccountTx = AccountProxyContract.populateTransaction.approve(\n PositionManager.address,\n params.accountId\n );\n const approveUsdTx = TokenContract.populateTransaction.approve(\n PositionManager.address,\n repayAmount.toBN()\n );\n const repayTx = PositionManagerContract.populateTransaction.repay(\n CoreProxy.address,\n AccountProxy.address,\n params.accountId,\n POOL_ID,\n collateralType.tokenAddress,\n repayAmount.toBN()\n );\n\n const callsPromise = Promise.all([approveAccountTx, approveUsdTx, repayTx]);\n const [calls] = await Promise.all([callsPromise]);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useRepay',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'TransferableSynthetix',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n isReady,\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n}\n","import { POOL_ID } from '@snx-v3/constants';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport Wei, { wei } from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport { useReducer } from 'react';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\n\nconst log = debug('snx:useUndelegate');\n\nexport const useUndelegate = ({ undelegateAmount }: { undelegateAmount?: Wei }) => {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const collateralTypeAddress = collateralType?.tokenAddress;\n\n const [txnState, dispatch] = useReducer(reducer, initialState);\n\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: CoreProxy } = useCoreProxy();\n\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const signer = useSigner();\n const provider = useProvider();\n const { network } = useNetwork();\n const queryClient = useQueryClient();\n\n const canUndelegate =\n liquidityPosition &&\n liquidityPosition.collateralAmount.gt(0) &&\n undelegateAmount &&\n liquidityPosition.collateralAmount.gte(undelegateAmount);\n\n const isReady =\n canUndelegate &&\n network &&\n provider &&\n signer &&\n CoreProxy &&\n params.accountId &&\n collateralTypeAddress &&\n // Make it boolean\n true;\n\n const mutation = useMutation({\n mutationFn: async () => {\n if (!isReady) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n const populatedTxnPromised = CoreProxyContract.populateTransaction.delegateCollateral(\n ethers.BigNumber.from(params.accountId),\n ethers.BigNumber.from(POOL_ID),\n collateralTypeAddress,\n liquidityPosition.collateralAmount.sub(undelegateAmount).toBN(),\n wei(1).toBN()\n );\n\n const walletAddress = await signer.getAddress();\n\n const callsPromise = Promise.all([populatedTxnPromised]);\n const [calls] = await Promise.all([callsPromise]);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useUndelegate',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'TransferableSynthetix',\n 'AccountCollateralUnlockDate',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n isReady,\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n};\n","import { POOL_ID } from '@snx-v3/constants';\nimport { USDC_BASE_MARKET } from '@snx-v3/isBaseAndromeda';\nimport { notNil } from '@snx-v3/tsHelpers';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useAccountProxy } from '@snx-v3/useAccountProxy';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useDebtRepayer } from '@snx-v3/useDebtRepayer';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { Wei, wei } from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:useUndelegateBaseAndromeda');\n\nexport function useUndelegateBaseAndromeda({ undelegateAmount }: { undelegateAmount?: Wei }) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const collateralTypeAddress = collateralType?.tokenAddress;\n const currentCollateral = liquidityPosition?.collateralAmount || wei(0);\n\n const [txnState, dispatch] = React.useReducer(reducer, initialState);\n const { data: CoreProxy } = useCoreProxy();\n const { data: SpotMarketProxy } = useSpotMarketProxy();\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const signer = useSigner();\n const provider = useProvider();\n const { network } = useNetwork();\n\n const { data: AccountProxy } = useAccountProxy();\n const { data: DebtRepayer } = useDebtRepayer();\n\n const queryClient = useQueryClient();\n\n const canUndelegate =\n liquidityPosition &&\n liquidityPosition.collateralAmount.gt(0) &&\n undelegateAmount &&\n liquidityPosition.collateralAmount.gte(undelegateAmount);\n\n const isReady =\n canUndelegate &&\n network &&\n provider &&\n signer &&\n CoreProxy &&\n AccountProxy &&\n DebtRepayer &&\n SpotMarketProxy &&\n params.accountId &&\n collateralTypeAddress &&\n // Make it boolean\n true;\n\n const mutation = useMutation({\n mutationFn: async () => {\n if (!isReady) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n\n const AccountProxyContract = new ethers.Contract(\n AccountProxy.address,\n AccountProxy.abi,\n signer\n );\n\n const DebtRepayerContract = new ethers.Contract(DebtRepayer.address, DebtRepayer.abi, signer);\n\n const approveAccountTx = AccountProxyContract.populateTransaction.approve(\n DebtRepayer.address,\n params.accountId\n );\n\n const depositDebtToRepay = DebtRepayerContract.populateTransaction.depositDebtToRepay(\n CoreProxy.address,\n SpotMarketProxy.address,\n AccountProxy.address,\n params.accountId,\n POOL_ID,\n collateralTypeAddress,\n USDC_BASE_MARKET\n );\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n\n const delegateTx = CoreProxyContract.populateTransaction.delegateCollateral(\n ethers.BigNumber.from(params.accountId),\n ethers.BigNumber.from(POOL_ID),\n collateralTypeAddress,\n currentCollateral.sub(undelegateAmount).toBN(),\n wei(1).toBN()\n );\n\n const callsPromise: Promise<(ethers.PopulatedTransaction & { requireSuccess?: boolean })[]> =\n Promise.all([approveAccountTx, depositDebtToRepay, delegateTx].filter(notNil));\n\n const [calls] = await Promise.all([callsPromise]);\n\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useUndelegateBase',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'AccountCollateralUnlockDate',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n isReady,\n };\n}\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Flex, Link, Skeleton, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { parseUnits } from '@snx-v3/format';\nimport { LiquidityPositionUpdated } from '@snx-v3/Manage';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useBorrow } from '@snx-v3/useBorrow';\nimport { useClosePosition } from '@snx-v3/useClosePosition';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useDebtRepayer } from '@snx-v3/useDebtRepayer';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useRepay } from '@snx-v3/useRepay';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useUndelegate } from '@snx-v3/useUndelegate';\nimport { useUndelegateBaseAndromeda } from '@snx-v3/useUndelegateBaseAndromeda';\nimport { useUSDC } from '@snx-v3/useUSDC';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nexport function ClosePositionTransactions({\n onClose,\n onBack,\n}: {\n onClose: () => void;\n onBack: () => void;\n}) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const [steps, setSteps] = React.useState<\n {\n title: React.ReactNode;\n subtitle?: React.ReactNode;\n cb: () => Promise;\n }[]\n >([]);\n const { setCollateralChange, setDebtChange } = React.useContext(ManagePositionContext);\n const { data: systemToken } = useSystemToken();\n const { data: CoreProxy } = useCoreProxy();\n const { network } = useNetwork();\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const collateralSymbol = collateralType?.displaySymbol;\n\n const [txState, setTxState] = React.useState({\n step: 0,\n status: 'idle',\n });\n\n const { data: synthTokens } = useSynthTokens();\n const wrapperToken = React.useMemo(() => {\n if (synthTokens && collateralType) {\n return synthTokens.find((synth) => synth.address === collateralType.tokenAddress)?.token\n ?.address;\n }\n }, [collateralType, synthTokens]);\n\n const collateralAddress = network?.preset === 'andromeda' ? wrapperToken : systemToken?.address;\n const availableUSDCollateral = liquidityPosition?.availableCollateral || ZEROWEI;\n const errorParser = useContractErrorParser();\n\n //repay approval\n const {\n approve,\n requireApproval,\n isReady: isReadyApprove,\n } = useApprove({\n contractAddress: collateralAddress,\n amount:\n liquidityPosition &&\n liquidityPosition.debt.gt(0) &&\n liquidityPosition.debt.abs().sub(availableUSDCollateral).gt(0)\n ? liquidityPosition.debt.abs().sub(availableUSDCollateral).toBN()\n : ethers.BigNumber.from(0),\n spender: CoreProxy?.address,\n });\n const { exec: execRepay } = useRepay({ repayAmount: liquidityPosition?.debt });\n const { exec: undelegate } = useUndelegate({\n undelegateAmount: liquidityPosition?.collateralAmount.gt(0)\n ? liquidityPosition?.collateralAmount\n : undefined,\n });\n\n const { data: DebtRepayer } = useDebtRepayer();\n const { data: ClosePositionContract } = useClosePosition();\n const { data: USDC } = useUSDC();\n\n // repay approval for base\n const {\n approve: approveUSDC,\n requireApproval: requireApprovalUSDC,\n isLoading,\n isReady: isReadyApproveUSDC,\n } = useApprove({\n contractAddress: USDC?.address,\n // slippage for approval\n amount: liquidityPosition\n ? parseUnits(liquidityPosition.debt.abs().toString(), 6).mul(120).div(100)\n : ethers.BigNumber.from(0),\n spender: DebtRepayer?.address,\n });\n\n const { exec: undelegateBaseAndromeda } = useUndelegateBaseAndromeda({\n undelegateAmount: liquidityPosition?.collateralAmount,\n });\n\n //claim\n const { exec: execBorrow } = useBorrow({\n borrowAmount: liquidityPosition?.debt.lt(0) ? liquidityPosition?.debt.abs() : undefined,\n });\n\n const getSteps = React.useCallback(() => {\n const transactions: {\n title: React.ReactNode;\n subtitle?: React.ReactNode;\n cb: () => Promise;\n }[] = [];\n\n if (ClosePositionContract) {\n // TODO: one step close\n // console.log(`ClosePositionContract`, ClosePositionContract);\n }\n\n if (network?.preset !== 'andromeda') {\n if (liquidityPosition?.debt.gt(0)) {\n if (requireApproval) {\n transactions.push({\n title: `Approve ${systemToken?.displaySymbol} transfer`,\n cb: () => approve(false),\n });\n }\n transactions.push({\n title: 'Repay',\n subtitle: (\n \n ),\n cb: () => execRepay(),\n });\n } else if (liquidityPosition?.debt.lt(0)) {\n transactions.push({\n title: 'Claim',\n subtitle: (\n \n ),\n cb: () => execBorrow(),\n });\n }\n\n transactions.push({\n title: 'Unlock collateral',\n subtitle: (\n \n ),\n cb: () => undelegate(),\n });\n } else {\n if (liquidityPosition?.debt.gt(0) && requireApprovalUSDC) {\n transactions.push({\n title: `Approve ${\n network?.preset === 'andromeda' ? collateralType?.symbol : systemToken?.symbol\n } transfer`,\n cb: () => approveUSDC(false),\n });\n }\n\n transactions.push({\n title: 'Unlock collateral',\n subtitle: (\n \n ),\n cb: () => undelegateBaseAndromeda(),\n });\n }\n\n return transactions;\n }, [\n ClosePositionContract,\n network?.preset,\n liquidityPosition?.debt,\n liquidityPosition?.collateralAmount,\n collateralSymbol,\n requireApproval,\n systemToken?.displaySymbol,\n systemToken?.symbol,\n approve,\n execRepay,\n execBorrow,\n undelegate,\n requireApprovalUSDC,\n collateralType?.symbol,\n approveUSDC,\n undelegateBaseAndromeda,\n ]);\n\n React.useEffect(() => {\n if (!steps.length && !isLoading) {\n setTxState({\n step: 0,\n status: 'idle',\n });\n setSteps(getSteps());\n }\n }, [getSteps, isLoading, steps.length]);\n\n const isSuccess = txState.step >= steps.length;\n\n const handleSubmit = React.useCallback(async () => {\n try {\n let i = txState.step > -1 ? txState.step : 0;\n\n for (; i < steps.length; i++) {\n setTxState({\n step: i,\n status: 'pending',\n });\n\n await steps[i].cb();\n }\n\n setTxState({\n step: steps.length,\n status: 'success',\n });\n\n setCollateralChange(ZEROWEI);\n setDebtChange(ZEROWEI);\n } catch (error) {\n setTxState((state) => ({\n step: state.step,\n status: 'error',\n }));\n\n const contractError = errorParser(error);\n\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Transaction failed',\n variant: 'left-accent',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n duration: 3_600_000,\n });\n throw Error('Transaction failed', { cause: error });\n }\n }, [txState.step, steps, setCollateralChange, setDebtChange, errorParser, toast]);\n\n if (isSuccess) {\n return (\n \n Your position has been successfully closed. To learn more, visit the{' '}\n \n Synthetix V3 Documentation\n \n >\n }\n alertText={<>Position successfully closed>}\n />\n );\n }\n\n return (\n \n \n \n Close Position\n \n\n \n\n {isLoading && !steps.length && }\n {steps.map((step, i) => (\n i,\n loading: txState.step === i && txState.status === 'pending',\n }}\n />\n ))}\n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_close_position_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n handleSubmit();\n }}\n mt=\"6\"\n >\n {(() => {\n switch (true) {\n case txState.status === 'error':\n return 'Retry';\n case txState.status === 'pending':\n return 'Processing...';\n default:\n return 'Execute Transaction';\n }\n })()}\n \n \n );\n}\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport {\n Alert,\n AlertDescription,\n AlertIcon,\n Button,\n Collapse,\n Divider,\n Flex,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useClosePosition } from '@snx-v3/useClosePosition';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useTokenBalance } from '@snx-v3/useTokenBalance';\nimport { useTokenPrice } from '@snx-v3/useTokenPrice';\nimport React from 'react';\nimport { ClosePositionOneStep } from './ClosePositionOneStep';\nimport { ClosePositionTransactions } from './ClosePositionTransactions';\n\nfunction ClosePositionUi({ onSubmit, onClose }: { onClose: () => void; onSubmit: () => void }) {\n const [params] = useParams();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: systemToken } = useSystemToken();\n\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n const collateralSymbol = collateralType?.displaySymbol;\n\n const { network } = useNetwork();\n const debtSymbol = network?.preset === 'andromeda' ? 'USDC' : systemToken?.symbol;\n\n const { data: systemTokenBalance, isPending: isPendingSystemTokenBalance } = useTokenBalance(\n systemToken?.address\n );\n\n const debtPrice = useTokenPrice(debtSymbol);\n const collateralPrice = useTokenPrice(collateralSymbol);\n\n const { data: ClosePositionDeployment } = useClosePosition();\n\n return (\n \n \n \n Close Position\n \n\n \n\n \n {!isPendingLiquidityPosition && liquidityPosition ? (\n <>{liquidityPosition.debt.gt(0) ? 'Repay Debt' : 'Claim Profit'}>\n ) : (\n <> >\n )}\n \n \n \n \n \n \n \n {network?.preset === 'andromeda' ? 'USDC' : systemToken?.displaySymbol}\n \n \n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition && liquidityPosition ? (\n <>\n {' '}\n \n Max\n \n >\n ) : null}\n \n \n \n \n \n {debtPrice.gt(0) && (\n \n )}\n \n \n \n \n\n \n Unlock Collateral\n \n \n \n \n \n \n \n {collateralSymbol}\n \n \n \n {isPendingLiquidityPosition ? 'Locked: ~' : null}\n {!isPendingLiquidityPosition && liquidityPosition ? (\n <>\n {' '}\n \n Max\n \n >\n ) : null}\n \n \n \n \n \n {collateralPrice.gt(0) && (\n \n )}\n \n \n \n \n\n \n \n \n \n You do not have enough {systemToken?.displaySymbol} to repay debt \n \n \n \n \n \n \n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `click_close_position_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n onSubmit();\n }}\n type=\"submit\"\n isDisabled={\n // Deployments that do not have ClosePosition contract available should skip this check\n ClosePositionDeployment &&\n !(\n !isPendingSystemTokenBalance &&\n systemTokenBalance &&\n !isPendingLiquidityPosition &&\n liquidityPosition &&\n systemTokenBalance\n .add(liquidityPosition.availableSystemToken)\n .gte(liquidityPosition.debt)\n )\n }\n >\n Close Position\n \n \n );\n}\n\nexport const ClosePosition = ({ onClose }: { onClose: () => void }) => {\n const [params] = useParams();\n\n const [transactionStep, setTransactions] = React.useState(false);\n const { setCollateralChange, setDebtChange } = React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n React.useEffect(() => {\n if (liquidityPosition) {\n setDebtChange(liquidityPosition.debt.mul(-1));\n setCollateralChange(liquidityPosition.collateralAmount.mul(-1));\n }\n\n return () => {\n setDebtChange(ZEROWEI);\n setCollateralChange(ZEROWEI);\n };\n }, [liquidityPosition, setCollateralChange, setDebtChange]);\n\n const { data: ClosePositionDeployment } = useClosePosition();\n\n if (!collateralType) {\n return null;\n }\n\n return (\n <>\n {!transactionStep ? (\n setTransactions(true)} />\n ) : null}\n {transactionStep && !ClosePositionDeployment ? (\n setTransactions(false)} onClose={onClose} />\n ) : null}\n {transactionStep && ClosePositionDeployment ? (\n setTransactions(false)} onClose={onClose} />\n ) : null}\n >\n );\n};\n","import {\n Button,\n Divider,\n Link,\n Modal,\n ModalContent,\n ModalHeader,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { makeSearch, type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\n\nexport const UnsupportedCollateralAlert = ({ isOpen }: { isOpen: boolean }) => {\n const [params, setParams] = useParams();\n return (\n {}}>\n \n \n Collateral Not Supported \n \n \n This collateral is not supported on this network. Go back to home page to see your active\n positions on this network.\n \n {\n e.preventDefault();\n setParams({ accountId: params.accountId });\n }}\n mt={6}\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n >\n Back\n \n \n \n );\n};\n","import { ManageActionType } from '@snx-v3/useParams';\nimport React from 'react';\n\ntype ManageActionButtonType = {\n title: string;\n link: ManageActionType;\n icon: (fill: 'white' | 'cyan') => React.ReactElement;\n};\n\nexport const COLLATERALACTIONS: ManageActionButtonType[] = [\n {\n title: 'Deposit and Lock',\n link: 'deposit',\n icon: (fill) => (\n \n \n \n \n ),\n },\n {\n title: 'Unlock',\n link: 'undelegate',\n icon: (fill: 'white' | 'cyan') => (\n \n \n \n \n ),\n },\n {\n title: 'Withdraw',\n link: 'withdraw',\n icon: (fill: 'white' | 'cyan') => (\n \n \n \n \n ),\n },\n];\n\nexport const DEBTACTIONS = (isBase: boolean): ManageActionButtonType[] => {\n const actions: ManageActionButtonType[] = [\n {\n title: isBase ? 'Claim' : 'Claim/Borrow',\n link: 'claim',\n icon: (fill) => (\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n ),\n },\n {\n title: 'Repay Debt',\n link: 'repay',\n icon: (fill) => (\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n ),\n },\n ];\n\n if (isBase) {\n return actions;\n }\n\n return [\n ...actions,\n {\n title: 'Withdraw',\n link: 'withdraw-debt',\n icon: (fill) => (\n \n \n \n \n ),\n },\n ];\n};\n","import { ArrowUpIcon, CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { transactionLink } from '@snx-v3/etherscanLink';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { WithdrawIncrease } from '@snx-v3/WithdrawIncrease';\nimport { Wei, wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function BorrowModal({ txnStatus, txnHash }: { txnStatus: string; txnHash: string | null }) {\n const { debtChange, setCollateralChange, setDebtChange } =\n React.useContext(ManagePositionContext);\n const { data: systemToken } = useSystemToken();\n const [isOpen, setIsOpen] = React.useState(false);\n const { network } = useNetwork();\n\n React.useEffect(() => {\n if (txnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error') {\n setIsOpen(false);\n }\n }, [txnStatus]);\n\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [borrowAmount, setBorrowAmount] = React.useState();\n React.useEffect(() => {\n if (debtChange && debtChange.gt(0)) {\n setBorrowAmount(debtChange.abs());\n }\n }, [debtChange]);\n\n return (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setIsOpen(false);\n }}\n >\n \n \n \n \n Borrowing Debt\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {borrowAmount ? (\n \n \n \n ) : null}\n \n \n \n {txnStatus === 'success' ? (\n setIsOpen(false)}\n >\n Done\n \n ) : null}\n \n \n {txnHash ? (\n <>\n View Transaction \n \n >\n ) : (\n <>\n Signing Transaction \n >\n )}\n \n \n \n \n \n );\n}\n","import { Button, Flex, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useBorrow } from '@snx-v3/useBorrow';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { validatePosition } from '@snx-v3/validatePosition';\nimport { wei } from '@synthetixio/wei';\nimport React from 'react';\nimport { BorrowModal } from './BorrowModal';\n\nexport function Borrow() {\n const [params] = useParams();\n const { debtChange, setDebtChange } = React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n const { data: systemToken } = useSystemToken();\n const { network } = useNetwork();\n\n const {\n isReady: isBorrowReady,\n txnState,\n mutation: mutationBorrow,\n } = useBorrow({\n borrowAmount: debtChange.gt(0) ? debtChange.abs() : undefined,\n });\n\n const maxClaimble = React.useMemo(() => {\n if (!liquidityPosition || liquidityPosition?.debt.gte(0)) {\n return ZEROWEI;\n } else {\n return wei(liquidityPosition.debt.abs().toBN());\n }\n }, [liquidityPosition]);\n\n const { maxDebt } = validatePosition({\n issuanceRatioD18: collateralType?.issuanceRatioD18,\n collateralAmount: liquidityPosition?.collateralAmount,\n collateralPrice: liquidityPosition?.collateralPrice,\n debt: liquidityPosition?.debt,\n collateralChange: ZEROWEI,\n debtChange: debtChange,\n });\n const maxBorrowingCapacity = network?.preset === 'andromeda' ? ZEROWEI : maxDebt.mul(99).div(100);\n const max = React.useMemo(\n () => maxClaimble.add(maxBorrowingCapacity),\n [maxClaimble, maxBorrowingCapacity]\n );\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const errorParser = useContractErrorParser();\n const onSubmit = React.useCallback(\n async (e: React.FormEvent) => {\n e.preventDefault();\n\n try {\n toast.closeAll();\n toast({ title: 'Borrowing...', variant: 'left-accent' });\n\n await mutationBorrow.mutateAsync();\n setDebtChange(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your debt has been increased.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast({\n title: 'Could not complete borrowing',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Borrow failed', { cause: error });\n }\n },\n [errorParser, mutationBorrow, setDebtChange, toast]\n );\n\n return (\n \n \n \n Borrow\n \n \n \n \n \n \n {systemToken?.displaySymbol}\n \n \n \n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition && liquidityPosition ? (\n <>\n \n \n {\n e.preventDefault();\n setDebtChange(max);\n }}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n \n \n \n \n setDebtChange(val)}\n max={max}\n min={ZEROWEI}\n />\n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition &&\n liquidityPosition &&\n liquidityPosition.collateralPrice.gt(0) ? (\n \n ) : null}\n \n \n \n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_borrow_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n }}\n >\n {debtChange.eq(0) ? 'Enter Amount' : 'Borrow'}\n \n \n );\n}\n","import { Alert, AlertIcon, Box, Button, Collapse, Flex, Text } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useTokenPrice } from '@snx-v3/useTokenPrice';\nimport { validatePosition } from '@snx-v3/validatePosition';\nimport { wei } from '@synthetixio/wei';\nimport { useContext, useMemo } from 'react';\n\nexport function Claim() {\n const { network } = useNetwork();\n const { debtChange, collateralChange, setDebtChange } = useContext(ManagePositionContext);\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const maxClaimble = useMemo(() => {\n if (!liquidityPosition || liquidityPosition?.debt.gte(0)) {\n return ZEROWEI;\n } else {\n return wei(liquidityPosition.debt.abs().toBN().mul(99).div(100));\n }\n }, [liquidityPosition]);\n\n const { maxDebt } = validatePosition({\n issuanceRatioD18: collateralType?.issuanceRatioD18,\n collateralAmount: liquidityPosition?.collateralAmount,\n collateralPrice: liquidityPosition?.collateralPrice,\n debt: liquidityPosition?.debt,\n collateralChange: collateralChange,\n debtChange: debtChange,\n });\n\n const maxBorrowingCapacity = network?.preset === 'andromeda' ? ZEROWEI : maxDebt.mul(99).div(100);\n const { data: systemToken } = useSystemToken();\n const max = useMemo(\n () => maxClaimble.add(maxBorrowingCapacity),\n [maxClaimble, maxBorrowingCapacity]\n );\n\n const symbol = network?.preset === 'andromeda' ? collateralType?.symbol : systemToken?.symbol;\n const price = useTokenPrice(symbol);\n\n return (\n \n \n {network?.preset === 'andromeda' ? 'Claim Profit' : 'Claim/Borrow'}\n \n \n \n \n \n \n {network?.preset === 'andromeda'\n ? collateralType?.displaySymbol\n : systemToken?.displaySymbol}\n \n \n \n {isPendingLiquidityPosition ? 'Credit: ~' : null}\n {!isPendingLiquidityPosition && maxClaimble ? (\n <>\n \n \n setDebtChange(maxClaimble)}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n \n \n \n setDebtChange(val)}\n max={max}\n min={ZEROWEI}\n />\n \n {price.gt(0) && }\n \n \n \n \n \n \n \n Positive market performance has credited your position. Claim up to{' '}\n {\n if (!maxClaimble) {\n return;\n }\n setDebtChange(maxClaimble);\n }}\n cursor=\"pointer\"\n as=\"span\"\n textDecoration=\"underline\"\n >\n \n \n without accruing debt.\n \n \n \n \n \n \n \n Assets will be available to withdraw 24 hours after your last interaction with this\n position.\n \n \n \n \n \n \n \n You can take an interest-free loan up to \n {\n if (!maxBorrowingCapacity) {\n return;\n }\n setDebtChange(maxBorrowingCapacity.add(maxClaimble));\n }}\n cursor=\"pointer\"\n as=\"span\"\n textDecoration=\"underline\"\n >\n \n \n \n \n \n \n \n \n \n You are about to take a {' '}\n interest-free loan\n \n \n \n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `click_borrow_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n }}\n >\n {debtChange.lte(0)\n ? 'Enter Amount'\n : debtChange.gt(maxClaimble) && network?.preset !== 'andromeda'\n ? 'Borrow'\n : 'Claim Profit'}\n \n \n );\n}\n","import { ArrowUpIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Flex, Heading, Image, Link, Text } from '@chakra-ui/react';\nimport SynthetixLogo from '@snx-v3/useBlockchain/SynthetixIcon.svg';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\n\nexport function ClaimSuccessBanner({ onClose }: { onClose: () => void }) {\n const { data: systemToken } = useSystemToken();\n return (\n \n \n What can you do with your {systemToken?.displaySymbol}?\n \n \n\n \n \n\n \n \n Trade L1 Perp\n \n \n Trade with synthetix integrators\n \n \n\n \n Coming soon\n \n \n\n \n \n\n \n \n sUSD/USDC Pool\n \n \n Curve\n \n \n\n \n Deposit on Curve{' '}\n \n \n \n\n \n Later\n \n \n );\n}\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Link, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { LiquidityPositionUpdated } from '@snx-v3/Manage';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useBorrow } from '@snx-v3/useBorrow';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { wei } from '@synthetixio/wei';\nimport { useCallback, useContext, useMemo, useState } from 'react';\nimport { ClaimSuccessBanner } from './ClaimSuccessBanner';\n\nexport function ClaimModal({ onClose }: { onClose: () => void }) {\n const [params] = useParams();\n const { debtChange, setDebtChange } = useContext(ManagePositionContext);\n const { network } = useNetwork();\n const [showClaimBanner, setShowClaimBanner] = useState(false);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: systemToken } = useSystemToken();\n\n const maxClaimble = useMemo(() => {\n if (!liquidityPosition || liquidityPosition?.debt.gte(0)) {\n return ZEROWEI;\n } else {\n return wei(liquidityPosition.debt.abs().toBN().sub(1));\n }\n }, [liquidityPosition]);\n const isBorrow = useMemo(\n () => debtChange.gt(maxClaimble) && network?.preset !== 'andromeda',\n [debtChange, network?.preset, maxClaimble]\n );\n\n const {\n exec: execBorrow,\n txnState,\n settle: settleBorrow,\n } = useBorrow({\n borrowAmount: debtChange.gt(0) ? debtChange.abs() : undefined,\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const errorParser = useContractErrorParser();\n const execBorrowWithErrorParser = useCallback(async () => {\n try {\n await execBorrow();\n setDebtChange(ZEROWEI);\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: isBorrow ? 'Borrow' : 'Claim' + ' failed',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error(isBorrow ? 'Borrow' : 'Claim' + ' failed', { cause: error });\n }\n }, [execBorrow, setDebtChange, errorParser, toast, isBorrow]);\n\n const symbol =\n network?.preset === 'andromeda' ? collateralType?.displaySymbol : systemToken?.displaySymbol;\n\n if (txnState.txnStatus === 'success') {\n if (showClaimBanner) {\n return (\n {\n settleBorrow();\n onClose();\n }}\n />\n );\n } else {\n return (\n {\n if (network?.id === 1 && network?.preset === 'main') {\n setShowClaimBanner(true);\n } else {\n settleBorrow();\n onClose();\n }\n }}\n title=\"Debt successfully updated\"\n subline={\n <>\n Your debt has been updated. To learn more, visit the{' '}\n \n Synthetix V3 Documentation\n \n >\n }\n alertText={\n <>\n Debt successfully updated\n >\n }\n />\n );\n }\n }\n\n return (\n \n
\n {\n settleBorrow();\n onClose();\n }}\n mr={2}\n />\n Manage Debt\n \n\n
\n\n
\n {network?.preset === 'andromeda' ? 'Claim' : 'Borrow'}\n \n \n }\n status={{\n failed: txnState.txnStatus === 'error',\n loading: ['prompting', 'pending'].includes(txnState.txnStatus),\n }}\n />\n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_borrow_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n\n if (['unsent', 'error'].includes(txnState.txnStatus)) {\n execBorrowWithErrorParser();\n }\n }}\n width=\"100%\"\n mt=\"6\"\n data-cy=\"claim confirm button\"\n >\n {(() => {\n switch (txnState.txnStatus) {\n case 'error':\n return 'Retry';\n case 'pending':\n case 'prompting':\n return 'Processing...';\n default:\n return 'Execute Transaction';\n }\n })()}\n \n \n );\n}\n","import { ClaimModal } from './ClaimModal';\n\nexport * from './ClaimModal';\nexport default ClaimModal;\n","import { Flex, FlexProps } from '@chakra-ui/react';\nimport { ReactNode } from 'react';\n\ninterface Props extends FlexProps {\n items: {\n label: ReactNode;\n value: ReactNode;\n }[];\n}\n\nexport const TransactionSummary = ({ items, ...props }: Props) => (\n \n {items.map(({ value, label }, i) => (\n \n \n {label}\n \n \n {value}\n \n \n ))}\n \n);\n","import { useQuery } from '@tanstack/react-query';\nimport { useWallet, useNetwork, useProvider } from '@snx-v3/useBlockchain';\nimport { ZodBigNumber } from '@snx-v3/zod';\nimport { wei } from '@synthetixio/wei';\n\nconst BalanceSchema = ZodBigNumber.transform((x) => wei(x));\n\nexport function useEthBalance() {\n const { activeWallet } = useWallet();\n const provider = useProvider();\n const { network } = useNetwork();\n\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'EthBalance',\n { accountAddress: activeWallet?.address },\n ],\n enabled: Boolean(provider && activeWallet),\n queryFn: async () => {\n if (!(provider && activeWallet)) throw 'OMFG';\n return BalanceSchema.parse(await provider.getBalance(activeWallet.address));\n },\n });\n}\n","import {\n Alert,\n AlertDescription,\n AlertIcon,\n Button,\n Collapse,\n Flex,\n Text,\n Tooltip,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { CRatioChangeStat } from '@snx-v3/CRatioBar';\nimport { currency } from '@snx-v3/format';\nimport { formatNumber } from '@snx-v3/formatters';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { TransactionSummary } from '@snx-v3/TransactionSummary';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useEthBalance } from '@snx-v3/useEthBalance';\nimport { useIsAndromedaStataUSDC } from '@snx-v3/useIsAndromedaStataUSDC';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useTokenBalance } from '@snx-v3/useTokenBalance';\nimport { useTokenPrice } from '@snx-v3/useTokenPrice';\nimport { useTransferableSynthetix } from '@snx-v3/useTransferableSynthetix';\nimport { useUSDC } from '@snx-v3/useUSDC';\nimport { DepositsIncreaseTimeout } from '@snx-v3/WithdrawIncrease';\nimport { Wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function Deposit() {\n const [params] = useParams();\n\n const { collateralChange, setCollateralChange } = React.useContext(ManagePositionContext);\n const { network } = useNetwork();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n const { data: transferrableSnx } = useTransferableSynthetix();\n\n const isAndromedaStataUSDC = useIsAndromedaStataUSDC({\n tokenAddress: collateralType?.tokenAddress,\n });\n\n const { data: collateralBalance } = useTokenBalance(collateralType?.tokenAddress);\n\n const { data: ethBalance } = useEthBalance();\n\n const price = useTokenPrice(collateralType?.symbol);\n const { data: USDCToken } = useUSDC();\n const { data: usdcBalance, isPending: isPendingUsdcBalance } = useTokenBalance(\n USDCToken?.address\n );\n\n const maxAmount = React.useMemo(() => {\n if (collateralType?.symbol === 'SNX') {\n return (\n ZEROWEI\n //\n .add(transferrableSnx ? transferrableSnx.transferable : ZEROWEI)\n .add(liquidityPosition ? liquidityPosition.availableCollateral : ZEROWEI)\n );\n }\n\n if (collateralType?.symbol === 'WETH') {\n return (\n ZEROWEI\n //\n .add(ethBalance ?? ZEROWEI)\n .add(collateralBalance ?? ZEROWEI)\n .add(liquidityPosition ? liquidityPosition.availableCollateral : ZEROWEI)\n );\n }\n\n if (network?.preset === 'andromeda') {\n return (\n ZEROWEI\n //\n .add(usdcBalance ? usdcBalance : ZEROWEI)\n );\n }\n\n return (\n ZEROWEI\n //\n .add(collateralBalance ?? ZEROWEI)\n .add(liquidityPosition ? liquidityPosition.availableCollateral : ZEROWEI)\n );\n }, [\n collateralType?.symbol,\n liquidityPosition,\n transferrableSnx,\n collateralBalance,\n ethBalance,\n usdcBalance,\n network?.preset,\n ]);\n\n const overAvailableBalance = collateralChange.gt(maxAmount);\n\n return (\n \n \n Deposit and Lock Collateral\n \n \n \n \n \n \n {collateralType?.displaySymbol ?? params.collateralSymbol}\n \n \n \n {network?.preset === 'andromeda' ? (\n <>\n {isPendingUsdcBalance ? (\n 'Wallet Balance: ~'\n ) : (\n \n )}\n >\n ) : null}\n\n {network?.preset !== 'andromeda' ? (\n <>\n {isPendingLiquidityPosition ? (\n 'Unlocked Balance: ~'\n ) : (\n \n )}\n\n \n\n {collateralType?.symbol === 'WETH' ? (\n \n ) : null}\n >\n ) : null}\n \n }\n >\n \n {params.accountId && isPendingLiquidityPosition ? 'Balance: ~' : null}\n {(!params.accountId || (params.accountId && !isPendingLiquidityPosition)) &&\n maxAmount ? (\n <>\n \n \n setCollateralChange(maxAmount)}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n \n \n \n \n {\n setCollateralChange(value);\n }}\n max={maxAmount}\n min={ZEROWEI}\n />\n \n \n \n \n \n\n \n \n \n\n \n \n \n \n Deposit USDC and it will automatically wrap into Static aUSDC\n \n \n \n\n {collateralType && (liquidityPosition || !params.accountId) ? (\n \n \n \n \n Your deposit must be{' '}\n {formatNumber(parseFloat(collateralType.minDelegationD18.toString()))}{' '}\n {collateralType.symbol} or higher\n \n \n \n ) : null}\n\n \n \n \n \n You cannot Deposit and Lock more Collateral than your Balance amount\n \n \n \n\n {collateralType && liquidityPosition ? (\n \n currency(val ?? ZEROWEI)}\n hasChanges={collateralChange.abs().gt(0)}\n size=\"sm\"\n />\n ),\n },\n ]\n : []),\n ...(liquidityPosition && network?.preset !== 'andromeda'\n ? [\n {\n label: 'C-ratio',\n value: (\n \n ),\n },\n ]\n : []),\n ]}\n />\n \n ) : null}\n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `click_deposit_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n }}\n >\n {collateralChange.lte(0) ? 'Enter Amount' : 'Deposit and Lock Collateral'}\n \n \n );\n}\n","import { useQuery } from '@tanstack/react-query';\nimport { MAINNET, useProviderForChain, useWallet } from '@snx-v3/useBlockchain';\nimport { Wei, wei } from '@synthetixio/wei';\nimport { ethers } from 'ethers';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\n\nexport function useTransferableSynthetix() {\n const { activeWallet } = useWallet();\n const provider = useProviderForChain(MAINNET);\n const { data: snxCollateral } = useCollateralType('SNX', MAINNET);\n\n const accountAddress = activeWallet?.address;\n const snxAddress = snxCollateral?.tokenAddress;\n\n return useQuery({\n enabled: Boolean(provider && accountAddress && snxAddress),\n queryKey: [\n `${MAINNET?.id}-${MAINNET?.preset}`,\n 'TransferableSynthetix',\n { address: activeWallet?.address },\n ],\n queryFn: async function (): Promise<{ transferable: Wei; collateral?: Wei }> {\n if (!(provider && accountAddress && snxAddress)) {\n throw 'useTransferableSynthetix should not be enabled';\n }\n const contract = new ethers.Contract(\n snxAddress,\n [\n 'function balanceOf(address owner) view returns (uint256)',\n 'function transferableSynthetix(address account) view returns (uint256 transferable)',\n 'function collateral(address account) view returns (uint256 collateral)',\n ],\n provider\n );\n try {\n // Normal case for SNX case\n const [transferableSynthetix, collateral] = await Promise.all([\n contract.transferableSynthetix(accountAddress),\n contract.collateral(accountAddress),\n ]);\n\n return {\n transferable: wei(transferableSynthetix),\n collateral: wei(collateral),\n };\n } catch (e) {\n console.error(e);\n throw e;\n }\n },\n });\n}\n","import { Wei, wei } from '@synthetixio/wei';\nimport { assign, createMachine } from 'xstate';\n\nexport const Events = {\n SET_REQUIRE_APPROVAL: 'SET_REQUIRE_APPROVAL',\n SET_WRAP_AMOUNT: 'SET_WRAP_AMOUNT',\n SET_INFINITE_APPROVAL: 'SET_INFINITE_APPROVAL',\n RETRY: 'RETRY',\n RUN: 'RUN',\n SUCCESS: 'SUCCESS',\n FAILURE: 'FAILURE',\n RESET: 'RESET',\n} as const;\n\nexport const State = {\n idle: 'idle',\n wrap: 'wrap',\n approveCollateral: 'approveCollateral',\n deposit: 'deposit',\n failed: 'failed',\n success: 'success',\n} as const;\n\nconst FailedSteps = {\n [State.approveCollateral]: State.approveCollateral,\n [State.wrap]: State.wrap,\n [State.deposit]: State.deposit,\n} as const;\n\nexport const ServiceNames = {\n wrapEth: 'wrapEth',\n approveCollateral: 'approveCollateral',\n executeDeposit: 'executeDeposit',\n} as const;\n\ntype Context = {\n error: {\n error: Error;\n step: keyof typeof FailedSteps;\n } | null;\n requireApproval: boolean;\n wrapAmount: Wei;\n infiniteApproval: boolean;\n};\n\ntype EventNamesType = typeof Events;\n\ntype DepositEvents =\n | { type: EventNamesType['SET_REQUIRE_APPROVAL']; requireApproval: boolean }\n | { type: EventNamesType['SET_WRAP_AMOUNT']; wrapAmount: Wei }\n | { type: EventNamesType['SET_INFINITE_APPROVAL']; infiniteApproval: boolean }\n | { type: EventNamesType['RETRY'] }\n | { type: EventNamesType['RUN'] }\n | { type: EventNamesType['SUCCESS'] }\n | { type: EventNamesType['FAILURE'] }\n | { type: EventNamesType['RESET'] };\n\ntype StateType = typeof State;\ntype MachineState =\n | {\n value: StateType['idle'];\n context: Context & { error: null };\n }\n | {\n value: StateType['wrap'];\n context: Context & { error: null };\n }\n | {\n value: StateType['approveCollateral'];\n context: Context & { error: null };\n }\n | {\n value: StateType['deposit'];\n context: Context & { error: null };\n }\n | {\n value: StateType['failed'];\n context: Context & { error: { error: Error; step: keyof typeof FailedSteps } };\n }\n | {\n value: StateType['success'];\n context: Context & {\n error: null;\n };\n };\n\nconst initialContext = {\n wrapAmount: wei(0),\n error: null,\n requireApproval: false,\n infiniteApproval: false,\n};\n\nexport const DepositMachine = createMachine({\n id: 'DepositMachine',\n initial: State.idle,\n predictableActionArguments: true,\n context: initialContext,\n on: {\n [Events.RUN]: {\n target: State.deposit,\n actions: assign({\n wrapAmount: (_) => initialContext.wrapAmount,\n error: (_) => initialContext.error,\n requireApproval: (_) => initialContext.requireApproval,\n infiniteApproval: (_) => initialContext.infiniteApproval,\n }),\n },\n [Events.SET_REQUIRE_APPROVAL]: {\n actions: assign({ requireApproval: (_context, event) => event.requireApproval }),\n },\n [Events.SET_WRAP_AMOUNT]: {\n actions: assign({ wrapAmount: (_context, event) => event.wrapAmount }),\n },\n [Events.SET_INFINITE_APPROVAL]: {\n actions: assign({ infiniteApproval: (_context, event) => event.infiniteApproval }),\n },\n },\n states: {\n [State.idle]: {\n on: {\n [Events.RUN]: [\n { target: State.wrap, cond: (context) => context.wrapAmount.gt(0) },\n { target: State.approveCollateral, cond: (context) => context.requireApproval },\n { target: State.deposit },\n ],\n },\n },\n\n [State.wrap]: {\n invoke: {\n src: ServiceNames.wrapEth,\n onError: {\n target: State.failed,\n actions: assign({\n error: (_context, event) => ({ error: event.data, step: FailedSteps.wrap }),\n }),\n },\n onDone: [\n { target: State.approveCollateral, cond: (context) => context.requireApproval },\n { target: State.deposit },\n ],\n },\n },\n\n [State.approveCollateral]: {\n invoke: {\n src: ServiceNames.approveCollateral,\n onDone: {\n target: State.deposit,\n },\n onError: {\n target: State.failed,\n actions: assign({\n error: (_context, event) => ({\n error: event.data,\n step: FailedSteps.approveCollateral,\n }),\n }),\n },\n },\n },\n\n [State.deposit]: {\n invoke: {\n src: ServiceNames.executeDeposit,\n onDone: {\n target: State.success,\n },\n onError: {\n target: State.failed,\n actions: assign({\n error: (_context, event) => ({ error: event.data, step: FailedSteps.deposit }),\n }),\n },\n },\n },\n\n [State.failed]: {\n on: {\n [Events.RETRY]: [\n {\n target: State.approveCollateral,\n cond: (c) => c.error?.step === FailedSteps.approveCollateral,\n actions: assign({ error: (_) => null }),\n },\n {\n target: State.wrap,\n cond: (c) => c.error?.step === FailedSteps.wrap,\n actions: assign({ error: (_) => null }),\n },\n {\n target: State.deposit,\n cond: (c) => c.error?.step === FailedSteps.deposit,\n actions: assign({ error: (_) => null }),\n },\n ],\n },\n },\n\n [State.success]: {},\n },\n});\n","import { POOL_ID } from '@snx-v3/constants';\nimport { notNil } from '@snx-v3/tsHelpers';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport Wei, { wei } from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport { useReducer } from 'react';\n\nconst log = debug('snx:useDeposit');\n\nexport const useDeposit = ({\n accountId,\n newAccountId,\n collateralTypeAddress,\n collateralChange,\n currentCollateral,\n availableCollateral,\n}: {\n accountId?: string;\n newAccountId: string;\n collateralTypeAddress?: string;\n currentCollateral: Wei;\n availableCollateral?: Wei;\n collateralChange: Wei;\n}) => {\n const [txnState, dispatch] = useReducer(reducer, initialState);\n const { data: CoreProxy } = useCoreProxy();\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const { network } = useNetwork();\n const signer = useSigner();\n const provider = useProvider();\n\n const queryClient = useQueryClient();\n const isReady =\n network &&\n provider &&\n signer &&\n CoreProxy &&\n collateralTypeAddress &&\n availableCollateral &&\n collateralChange.gt(0) &&\n // Make it boolean\n true;\n\n const mutation = useMutation({\n mutationFn: async () => {\n if (!isReady) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n const walletAddress = await signer.getAddress();\n const id = accountId ?? newAccountId;\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n\n // create account only when no account exists\n const createAccount = accountId\n ? undefined\n : CoreProxyContract.populateTransaction['createAccount(uint128)'](\n ethers.BigNumber.from(id)\n );\n\n log('collateralChange', collateralChange);\n log('availableCollateral', availableCollateral);\n\n const amountNeeded = collateralChange.sub(availableCollateral);\n log('amountNeeded', amountNeeded);\n\n // optionally deposit if available collateral not enough\n const deposit = amountNeeded.gt(0)\n ? CoreProxyContract.populateTransaction.deposit(\n ethers.BigNumber.from(id),\n collateralTypeAddress,\n amountNeeded.toBN() // only deposit what's needed\n )\n : undefined;\n\n log('currentCollateral', currentCollateral);\n log('collateralChange', collateralChange);\n log('newDelegation', currentCollateral.add(collateralChange));\n const delegate = CoreProxyContract.populateTransaction.delegateCollateral(\n ethers.BigNumber.from(id),\n ethers.BigNumber.from(POOL_ID),\n collateralTypeAddress,\n currentCollateral.add(collateralChange).toBN(),\n wei(1).toBN()\n );\n const callsPromise = Promise.all([createAccount, deposit, delegate].filter(notNil));\n\n const [calls] = await Promise.all([callsPromise]);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useDeposit',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'Accounts',\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'TransferableSynthetix',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n isReady,\n };\n};\n","import { useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useEthBalance } from '@snx-v3/useEthBalance';\nimport { useTokenBalance } from '@snx-v3/useTokenBalance';\nimport Wei from '@synthetixio/wei';\nimport { useMutation } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { Contract } from 'ethers';\nimport { useCallback } from 'react';\n\nconst log = debug('snx:useWrapEth');\n\nexport const useWrapEth = () => {\n const signer = useSigner();\n const provider = useProvider();\n\n const { data: ethCollateral } = useCollateralType('WETH');\n const { data: ethBalance, refetch: refetchETHBalance } = useEthBalance();\n const { data: wethBalance, refetch: refetchWETHBalance } = useTokenBalance(\n ethCollateral?.tokenAddress\n );\n\n const { mutateAsync, isPending } = useMutation({\n mutationFn: async (amount: Wei) => {\n if (!ethCollateral || !signer || !provider) return;\n const contract = new Contract(\n ethCollateral?.tokenAddress,\n ['function deposit() payable'],\n signer\n );\n const txn = await contract.deposit({ value: amount.toBN() });\n log('txn', txn);\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n });\n\n const exec = useCallback(\n async (amount: Wei) => {\n if (!ethBalance) return;\n if (ethBalance.lt(amount)) {\n throw new Error('Amount exceeds balance');\n }\n await mutateAsync(amount);\n refetchETHBalance();\n refetchWETHBalance();\n },\n [ethBalance, mutateAsync, refetchETHBalance, refetchWETHBalance]\n );\n\n return {\n exec,\n isLoading: isPending,\n wethBalance,\n ethBalance,\n };\n};\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Link, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { CRatioChangeStat } from '@snx-v3/CRatioBar';\nimport { currency } from '@snx-v3/format';\nimport { LiquidityPositionUpdated } from '@snx-v3/Manage';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { TransactionSummary } from '@snx-v3/TransactionSummary';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useDeposit } from '@snx-v3/useDeposit';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useWrapEth } from '@snx-v3/useWrapEth';\nimport { Wei, wei } from '@synthetixio/wei';\nimport { useMachine } from '@xstate/react';\nimport React from 'react';\nimport { DepositMachine, Events, ServiceNames, State } from './DepositMachine';\n\nexport function DepositModal({ onClose }: { onClose: () => void }) {\n const [params, setParams] = useParams();\n const { collateralChange, setCollateralChange } = React.useContext(ManagePositionContext);\n const { data: CoreProxy } = useCoreProxy();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const currentCollateral = liquidityPosition?.collateralAmount ?? ZEROWEI;\n const availableCollateral = liquidityPosition?.availableCollateral ?? ZEROWEI;\n\n const [txSummary, setTxSummary] = React.useState({\n currentCollateral: ZEROWEI,\n collateralChange: ZEROWEI,\n currentDebt: ZEROWEI,\n });\n\n const synthNeeded = React.useMemo(() => {\n const amount = collateralChange.sub(availableCollateral);\n return amount.lt(0) ? ZEROWEI : amount;\n }, [availableCollateral, collateralChange]);\n\n const collateralNeeded = React.useMemo(() => {\n const amount = synthNeeded;\n return amount.gt(0) ? amount : ZEROWEI;\n }, [synthNeeded]);\n\n //Preparing wETH\n const { exec: wrapEth, wethBalance } = useWrapEth();\n const wrapETHAmount =\n (collateralType?.displaySymbol ?? params.collateralSymbol) === 'WETH' &&\n collateralNeeded.gt(wethBalance || 0)\n ? collateralNeeded.sub(wethBalance || 0)\n : ZEROWEI;\n //Preparing wETH done\n\n //Collateral Approval\n const {\n approve,\n requireApproval,\n isReady: isReadyApprove,\n } = useApprove({\n contractAddress: collateralType?.tokenAddress,\n amount: collateralChange.lte(availableCollateral)\n ? wei(0).toBN()\n : collateralChange.sub(availableCollateral).toBN(),\n spender: CoreProxy?.address,\n });\n //Collateral Approval Done\n\n //Deposit\n const newAccountId = React.useMemo(() => `${Math.floor(Math.random() * 1000000000000)}`, []);\n const { exec: execDeposit, isReady: isReadyDeposit } = useDeposit({\n accountId: params.accountId,\n newAccountId,\n collateralTypeAddress: collateralType?.tokenAddress,\n collateralChange,\n currentCollateral,\n availableCollateral,\n });\n //Deposit done\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const errorParser = useContractErrorParser();\n\n const [state, send] = useMachine(DepositMachine, {\n services: {\n [ServiceNames.wrapEth]: async () => {\n try {\n await wrapEth(state.context.wrapAmount);\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n\n toast.closeAll();\n toast({\n title: 'Wrapping ETH failed',\n description: contractError ? (\n \n ) : (\n error.message || 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Wrapping failed', { cause: error });\n }\n },\n\n [ServiceNames.approveCollateral]: async () => {\n try {\n if (!requireApproval) {\n return;\n }\n toast({\n title: `Approve collateral for transfer`,\n description: `Approve ${collateralType?.displaySymbol} transfer`,\n status: 'info',\n variant: 'left-accent',\n });\n\n await approve(Boolean(state.context.infiniteApproval));\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Approval failed',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Approve failed', { cause: error });\n }\n },\n\n [ServiceNames.executeDeposit]: async () => {\n try {\n toast.closeAll();\n toast({\n title: Boolean(params.accountId)\n ? 'Locking your collateral'\n : 'Creating your account and locking your collateral',\n description: '',\n variant: 'left-accent',\n });\n\n setTxSummary({\n currentCollateral,\n currentDebt: liquidityPosition?.debt || ZEROWEI,\n collateralChange,\n });\n\n await execDeposit();\n\n setCollateralChange(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your locked collateral amount has been updated.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Could not complete locking collateral',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Lock collateral failed', { cause: error });\n }\n },\n },\n });\n\n const wrapAmountString = wrapETHAmount.toString();\n const isSuccessOrDeposit = state.matches(State.success) || state.matches(State.deposit);\n React.useEffect(() => {\n if (isSuccessOrDeposit) {\n // We do this to ensure the success state displays the wrap amount used before deposit\n return;\n }\n send(Events.SET_WRAP_AMOUNT, { wrapAmount: wei(wrapAmountString || '0') });\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, [isSuccessOrDeposit, wrapAmountString]);\n\n React.useEffect(() => {\n send(Events.SET_REQUIRE_APPROVAL, { requireApproval });\n }, [requireApproval, send]);\n\n const handleClose = React.useCallback(() => {\n const isSuccess = state.matches(State.success);\n\n if (isSuccess && params.accountId && collateralType?.symbol) {\n send(Events.RESET);\n onClose();\n setParams({\n page: 'position',\n collateralSymbol: collateralType.symbol,\n manageAction: 'deposit',\n accountId: params.accountId,\n });\n return;\n }\n send(Events.RESET);\n onClose();\n }, [state, params.accountId, collateralType?.symbol, send, onClose, setParams]);\n\n const onSubmit = React.useCallback(async () => {\n if (state.matches(State.success)) {\n handleClose();\n return;\n }\n if (state.context.error) {\n send(Events.RETRY);\n return;\n }\n\n send(Events.RUN);\n }, [handleClose, send, state]);\n\n const txSummaryItems = React.useMemo(() => {\n const items = [\n {\n label: `Locked ${collateralType?.displaySymbol ?? params.collateralSymbol}`,\n value: (\n currency(val ?? ZEROWEI)}\n hasChanges={txSummary.collateralChange.abs().gt(0)}\n size=\"sm\"\n />\n ),\n },\n ];\n\n return [\n ...items,\n {\n label: 'C-ratio',\n value: (\n \n ),\n },\n ];\n }, [\n collateralType?.displaySymbol,\n params.collateralSymbol,\n txSummary.currentCollateral,\n txSummary.collateralChange,\n txSummary.currentDebt,\n liquidityPosition?.collateralPrice,\n ]);\n\n const symbol = collateralType?.displaySymbol;\n\n const isProcessing =\n state.matches(State.approveCollateral) ||\n state.matches(State.deposit) ||\n state.matches(State.wrap);\n\n const isWETH = (collateralType?.displaySymbol ?? params.collateralSymbol) === 'WETH';\n\n const stepNumbers = {\n wrap: isWETH ? 1 : 0,\n approve: isWETH ? 2 : 1,\n deposit: isWETH ? 3 : 2,\n };\n\n if (state.matches(State.success)) {\n return (\n \n Your collateral has been updated. To learn more, visit the{' '}\n \n Synthetix V3 Documentation\n \n >\n }\n alertText={\n <>\n Collateral successfully updated\n >\n }\n summary={ }\n />\n );\n }\n\n return (\n \n
\n \n Manage Collateral\n \n
\n {isWETH ? (\n
\n {' '}\n from balance will be used.\n \n ) : (\n \n You must wrap additional {' '}\n before depositing.\n \n )\n }\n status={{\n failed: state.context.error?.step === State.wrap,\n disabled: (collateralType?.displaySymbol ?? params.collateralSymbol) !== 'WETH',\n success: state.context.wrapAmount.eq(0) || state.matches(State.success),\n loading: state.matches(State.wrap) && !state.context.error,\n }}\n />\n ) : null}\n\n \n send(Events.SET_INFINITE_APPROVAL, { infiniteApproval: e.target.checked }),\n }}\n />\n \n {state.matches(State.success) ? (\n \n ) : (\n <>\n {availableCollateral && availableCollateral.gt(ZEROWEI) ? (\n <>\n {availableCollateral.gte(collateralChange) ? (\n \n ) : (\n <>\n \n \n \n \n \n \n >\n )}\n >\n ) : (\n \n )}\n >\n )}\n >\n }\n status={{\n failed: state.context.error?.step === State.deposit,\n disabled: state.matches(State.success) && state.context.requireApproval,\n success: state.matches(State.success),\n loading: state.matches(State.deposit) && !state.context.error,\n }}\n />\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_deposit_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n onSubmit();\n }}\n width=\"100%\"\n mt=\"6\"\n data-cy=\"deposit confirm button\"\n >\n {(() => {\n switch (true) {\n case Boolean(state.context.error):\n return 'Retry';\n case isProcessing:\n return 'Processing...';\n case state.matches(State.success):\n return 'Continue';\n default:\n return 'Execute Transaction';\n }\n })()}\n \n \n );\n}\n","import {\n importPositionManager,\n importPositionManagerAndromedaStataUSDC,\n importPositionManagerAndromedaUSDC,\n} from '@snx-v3/contracts';\nimport { type Network, useNetwork } from '@snx-v3/useBlockchain';\nimport { type CollateralType } from '@snx-v3/useCollateralTypes';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { useQuery } from '@tanstack/react-query';\n\nexport function usePositionManagerForCollateral({\n collateralType,\n customNetwork,\n}: {\n collateralType?: CollateralType;\n customNetwork?: Network;\n}) {\n const { network: currentNetwork } = useNetwork();\n const network = customNetwork || currentNetwork;\n const { data: synthTokens } = useSynthTokens(customNetwork);\n\n return useQuery({\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'PositionManager',\n { collateralType: collateralType?.address },\n { synthTokens: Boolean(synthTokens) },\n ],\n enabled: Boolean(network && synthTokens && collateralType),\n queryFn: async function () {\n if (!(network && synthTokens && collateralType)) throw 'OMFG';\n const addr = collateralType.address.toLowerCase();\n for (const synthToken of synthTokens) {\n if (addr === synthToken.address.toLowerCase()) {\n if (network.preset === 'andromeda' && synthToken.symbol === 'sUSDC') {\n return importPositionManagerAndromedaUSDC(network.id, network.preset);\n }\n if (network.preset === 'andromeda' && synthToken.symbol === 'sStataUSDC') {\n return importPositionManagerAndromedaStataUSDC(network.id, network.preset);\n }\n }\n }\n return importPositionManager(network.id, network.preset);\n },\n staleTime: Infinity,\n // On some chains this is not available, and that is expected\n throwOnError: false,\n });\n}\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Flex, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { D18, D6, ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useAccountProxy } from '@snx-v3/useAccountProxy';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { usePositionManagerForCollateral } from '@snx-v3/usePositionManagerForCollateral';\nimport { useUSDC } from '@snx-v3/useUSDC';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { Wei } from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:DepositModalAndromeda');\n\nexport function DepositModalAndromeda({ onClose }: { onClose: () => void }) {\n const [params] = useParams();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const { collateralChange, setCollateralChange } = React.useContext(ManagePositionContext);\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const queryClient = useQueryClient();\n const errorParser = useContractErrorParser();\n\n const { data: USDC } = useUSDC();\n const { data: AccountProxy } = useAccountProxy();\n const { data: PositionManager } = usePositionManagerForCollateral({ collateralType });\n\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const { network } = useNetwork();\n const signer = useSigner();\n const provider = useProvider();\n\n const {\n approve: approveUSDC,\n requireApproval: requireApprovalUSDC,\n txnState: txnStateApproveUSDC,\n isReady: isReadyApproveUSDC,\n } = useApprove({\n contractAddress: USDC?.address,\n amount: collateralChange.toBN().mul(D6).div(D18),\n spender: PositionManager?.address,\n });\n\n const isReady =\n network &&\n provider &&\n signer &&\n AccountProxy &&\n PositionManager &&\n USDC?.address &&\n collateralType?.tokenAddress &&\n collateralChange.gt(0) &&\n isReadyApproveUSDC &&\n // Make it boolean\n true;\n\n const [txnStateDeposit, dispatch] = React.useReducer(reducer, initialState);\n\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [cachedCollateralChange, setCachedCollateralChange] = React.useState(collateralChange);\n\n const { mutate: execDeposit } = useMutation({\n mutationFn: async function () {\n log('params', params);\n log('collateralType', collateralType);\n\n if (!isReady) {\n throw new Error('Not ready');\n }\n\n if (requireApprovalUSDC) {\n await approveUSDC(false);\n }\n\n dispatch({ type: 'prompting' });\n\n const walletAddress = await signer.getAddress();\n\n const callsPromises = [];\n\n if (params.accountId) {\n const AccountProxyContract = new ethers.Contract(\n AccountProxy.address,\n AccountProxy.abi,\n signer\n );\n const approveAccountTx = AccountProxyContract.populateTransaction.approve(\n PositionManager.address,\n params.accountId\n );\n callsPromises.push(approveAccountTx);\n }\n\n const PositionManagerContract = new ethers.Contract(\n PositionManager.address,\n PositionManager.abi,\n signer\n );\n\n if (params.accountId) {\n const increasePositionTx = PositionManagerContract.populateTransaction.increasePosition(\n params.accountId,\n collateralChange.toBN().mul(D6).div(D18)\n );\n callsPromises.push(increasePositionTx);\n } else {\n const setupPositionTx = PositionManagerContract.populateTransaction.setupPosition(\n collateralChange.toBN().mul(D6).div(D18)\n );\n callsPromises.push(setupPositionTx);\n }\n\n const calls = await Promise.all(callsPromises);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useDepositAndromeda',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'Accounts',\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your locked collateral amount has been updated.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n\n setCollateralChange(ZEROWEI);\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Transaction failed',\n variant: 'left-accent',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n duration: 3_600_000,\n });\n throw Error('Transaction failed', { cause: error });\n },\n });\n\n return (\n \n \n {\n dispatch({ type: 'settled' });\n setCachedCollateralChange(collateralChange);\n onClose();\n }}\n mr={2}\n />\n {params.accountId ? <>Manage Collateral> : <>Open Liquidity Position>}\n \n \n \n \n >\n }\n status={{\n failed: txnStateApproveUSDC.txnStatus === 'error',\n success: txnStateApproveUSDC.txnStatus === 'success',\n loading:\n txnStateApproveUSDC.txnStatus === 'prompting' ||\n txnStateApproveUSDC.txnStatus === 'pending',\n }}\n />\n \n {!params.accountId ? Create new account : null}\n {params.accountId ? Approve update position on behalf : null}\n \n >\n }\n status={{\n failed: txnStateDeposit.txnStatus === 'error',\n success: txnStateDeposit.txnStatus === 'success',\n loading:\n txnStateDeposit.txnStatus === 'prompting' || txnStateDeposit.txnStatus === 'pending',\n }}\n />\n\n {txnStateDeposit.txnStatus === 'success' ? (\n {\n dispatch({ type: 'settled' });\n setCachedCollateralChange(collateralChange);\n onClose();\n }}\n mt=\"6\"\n >\n Done\n \n ) : (\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_deposit_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n execDeposit();\n }}\n mt=\"6\"\n >\n {(() => {\n if (\n txnStateApproveUSDC.txnStatus === 'unsent' &&\n txnStateDeposit.txnStatus === 'unsent'\n ) {\n return 'Execute Transaction';\n }\n if (\n txnStateApproveUSDC.txnStatus === 'error' ||\n txnStateDeposit.txnStatus === 'error'\n ) {\n return 'Retry';\n }\n if (\n txnStateApproveUSDC.txnStatus === 'prompting' ||\n txnStateApproveUSDC.txnStatus === 'pending' ||\n txnStateDeposit.txnStatus === 'prompting' ||\n txnStateDeposit.txnStatus === 'pending'\n ) {\n return 'Processing...';\n }\n return 'Execute Transaction';\n })()}\n \n )}\n \n );\n}\n","import { ArrowUpIcon, CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { transactionLink } from '@snx-v3/etherscanLink';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { WithdrawIncrease } from '@snx-v3/WithdrawIncrease';\nimport { Wei, wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function RepayModal({ txnStatus, txnHash }: { txnStatus: string; txnHash: string | null }) {\n const { debtChange, setCollateralChange, setDebtChange } =\n React.useContext(ManagePositionContext);\n const { data: systemToken } = useSystemToken();\n const [isOpen, setIsOpen] = React.useState(false);\n const { network } = useNetwork();\n\n React.useEffect(() => {\n if (txnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error') {\n setIsOpen(false);\n }\n }, [txnStatus]);\n\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [repayAmount, setRepayAmount] = React.useState();\n React.useEffect(() => {\n if (debtChange && debtChange.lt(0)) {\n setRepayAmount(debtChange.abs());\n }\n }, [debtChange]);\n\n return (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setIsOpen(false);\n }}\n >\n \n \n \n \n Repaying Debt\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {repayAmount ? (\n \n \n \n ) : (\n \n Claim your rewards\n \n )}\n \n \n \n {txnStatus === 'success' ? (\n setIsOpen(false)}\n >\n Done\n \n ) : null}\n \n \n {txnHash ? (\n <>\n View Transaction \n \n >\n ) : (\n <>\n Signing Transaction \n >\n )}\n \n \n \n \n \n );\n}\n","import { Button, Flex, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useRepay } from '@snx-v3/useRepay';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useTokenBalance } from '@snx-v3/useTokenBalance';\nimport { wei } from '@synthetixio/wei';\nimport React from 'react';\nimport { RepayModal } from './RepayModal';\n\nexport function Repay() {\n const [params] = useParams();\n const { debtChange, setDebtChange } = React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n const { data: systemToken } = useSystemToken();\n const { data: systemTokenBalance, isPending: isPendingSystemTokenBalance } = useTokenBalance(\n systemToken?.address\n );\n\n const availableSystemToken =\n systemTokenBalance && liquidityPosition\n ? systemTokenBalance.add(liquidityPosition.availableSystemToken)\n : undefined;\n\n const {\n isReady: isReadyRepay,\n txnState,\n mutation: mutationRepay,\n } = useRepay({\n repayAmount: debtChange && debtChange.lt(0) ? debtChange.abs() : undefined,\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const errorParser = useContractErrorParser();\n const onSubmit = React.useCallback(\n async (e: React.FormEvent) => {\n e.preventDefault();\n\n try {\n toast.closeAll();\n toast({ title: 'Repaying...', variant: 'left-accent' });\n\n await mutationRepay.mutateAsync();\n setDebtChange(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your debt has been repaid.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast({\n title: 'Could not complete repaying',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Repay failed', { cause: error });\n }\n },\n [errorParser, mutationRepay, setDebtChange, toast]\n );\n\n return (\n \n \n \n Repay Debt\n \n \n \n \n \n \n {systemToken?.displaySymbol}\n \n \n \n \n {isPendingLiquidityPosition || isPendingSystemTokenBalance ? '~' : null}\n {!(isPendingLiquidityPosition || isPendingSystemTokenBalance) &&\n liquidityPosition &&\n availableSystemToken ? (\n <>\n {liquidityPosition.debt.abs().gt(availableSystemToken) ? (\n <>\n \n \n {\n e.preventDefault();\n setDebtChange(availableSystemToken.mul(-1));\n }}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n {availableSystemToken.gt(liquidityPosition.debt.abs()) ? (\n <>\n \n \n {\n e.preventDefault();\n setDebtChange(liquidityPosition.debt.neg());\n }}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n >\n ) : null}\n \n \n \n \n setDebtChange(val.mul(-1))}\n max={liquidityPosition ? liquidityPosition.debt : wei(0)}\n min={ZEROWEI}\n />\n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition &&\n liquidityPosition &&\n liquidityPosition.collateralPrice.gt(0) ? (\n \n ) : null}\n \n \n \n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_repay_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n }}\n >\n {debtChange.eq(0) ? 'Enter Amount' : 'Repay'}\n \n \n );\n}\n","import { POOL_ID } from '@snx-v3/constants';\nimport { USDC_BASE_MARKET } from '@snx-v3/isBaseAndromeda';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useAccountProxy } from '@snx-v3/useAccountProxy';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useDebtRepayer } from '@snx-v3/useDebtRepayer';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React from 'react';\n\nconst log = debug('snx:useClearDebt');\n\nexport const useClearDebt = ({\n accountId,\n collateralTypeAddress,\n}: {\n accountId?: string;\n collateralTypeAddress?: string;\n}) => {\n const [txnState, dispatch] = React.useReducer(reducer, initialState);\n const { data: CoreProxy } = useCoreProxy();\n const { data: SpotMarketProxy } = useSpotMarketProxy();\n const { data: AccountProxy } = useAccountProxy();\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n\n const signer = useSigner();\n const { network } = useNetwork();\n const provider = useProvider();\n\n const { data: DebtRepayer } = useDebtRepayer();\n\n const queryClient = useQueryClient();\n const mutation = useMutation({\n mutationFn: async () => {\n if (!signer || !network || !provider) throw new Error('No signer or network');\n if (\n !(\n CoreProxy &&\n accountId &&\n collateralTypeAddress &&\n SpotMarketProxy &&\n DebtRepayer &&\n AccountProxy\n )\n ) {\n return;\n }\n\n dispatch({ type: 'prompting' });\n\n const AccountProxyContract = new ethers.Contract(\n AccountProxy.address,\n AccountProxy.abi,\n signer\n );\n const DebtRepayerContract = new ethers.Contract(DebtRepayer.address, DebtRepayer.abi, signer);\n\n const approveAccountTx = AccountProxyContract.populateTransaction.approve(\n DebtRepayer.address,\n accountId\n );\n\n const depositDebtToRepay = DebtRepayerContract.populateTransaction.depositDebtToRepay(\n CoreProxy.address,\n SpotMarketProxy.address,\n AccountProxy.address,\n accountId,\n POOL_ID,\n collateralTypeAddress,\n USDC_BASE_MARKET\n );\n\n const callsPromise = Promise.all([approveAccountTx, depositDebtToRepay]);\n const [calls] = await Promise.all([callsPromise]);\n\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useRepay',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n dispatch({ type: 'success' });\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'TransferableSynthetix',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n};\n","import { CheckIcon } from '@chakra-ui/icons';\nimport { Alert, Button, Flex, Text } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { parseUnits } from '@snx-v3/format';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useClearDebt } from '@snx-v3/useClearDebt';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useDebtRepayer } from '@snx-v3/useDebtRepayer';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useTokenBalance } from '@snx-v3/useTokenBalance';\nimport { useUSDC } from '@snx-v3/useUSDC';\nimport React from 'react';\n\nexport function RepayAndromedaDebt() {\n const [params] = useParams();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n // Andromeda users pay with USDC\n const { data: USDC } = useUSDC();\n const { data: usdcBalance } = useTokenBalance(USDC?.address);\n\n const {\n exec: clearDebt,\n settle: settleRepay,\n isLoading,\n } = useClearDebt({\n accountId: params.accountId,\n collateralTypeAddress: collateralType?.address,\n });\n\n const { data: DebtRepayer } = useDebtRepayer();\n const {\n approve,\n requireApproval,\n isLoading: approvalLoading,\n isReady: isReadyApprove,\n } = useApprove({\n contractAddress: USDC?.address,\n // slippage for approval\n amount: liquidityPosition\n ? parseUnits(liquidityPosition.debt.toString(), 6).mul(150).div(100)\n : undefined,\n spender: DebtRepayer?.address,\n });\n\n const submit = React.useCallback(async () => {\n try {\n if (requireApproval) {\n await approve(false);\n }\n await clearDebt();\n\n settleRepay();\n } catch (error) {}\n }, [approve, clearDebt, requireApproval, settleRepay]);\n\n const hasEnoughBalance =\n liquidityPosition &&\n usdcBalance &&\n liquidityPosition.availableSystemToken.add(usdcBalance).gte(liquidityPosition.debt);\n\n return (\n \n \n Repay USDC\n \n {liquidityPosition ? (\n <>\n {liquidityPosition.debt.lte(0) ? (\n \n \n \n \n \n Your account currently has no debt.\n \n \n ) : null}\n\n {liquidityPosition.debt.gt(0) ? (\n <>\n \n Your account currently has a positive debt. This amount must be paid to initiate\n collateral withdrawal.\n \n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_repay_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n submit();\n }}\n data-cy=\"repay debt submit\"\n >\n \n \n >\n ) : null}\n >\n ) : null}\n \n );\n}\n","import { POOL_ID } from '@snx-v3/constants';\nimport { parseUnits } from '@snx-v3/format';\nimport { getSpotMarketId } from '@snx-v3/isBaseAndromeda';\nimport { notNil } from '@snx-v3/tsHelpers';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { approveAbi } from '@snx-v3/useApprove';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useGetUSDTokens } from '@snx-v3/useGetUSDTokens';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport Wei from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { BigNumber, ethers } from 'ethers';\nimport { useReducer } from 'react';\n\nconst log = debug('snx:useRepayBaseAndromeda');\n\nexport const useRepayBaseAndromeda = ({\n accountId,\n collateralTypeAddress,\n debtChange,\n availableUSDCollateral,\n collateralSymbol,\n}: {\n accountId?: string;\n collateralTypeAddress?: string;\n availableUSDCollateral?: Wei;\n debtChange: Wei;\n collateralSymbol?: string;\n}) => {\n const [txnState, dispatch] = useReducer(reducer, initialState);\n const { data: CoreProxy } = useCoreProxy();\n const { data: systemToken } = useSystemToken();\n const { data: SpotMarketProxy } = useSpotMarketProxy();\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n const { data: usdTokens } = useGetUSDTokens();\n\n const signer = useSigner();\n const { network } = useNetwork();\n const provider = useProvider();\n\n const queryClient = useQueryClient();\n const mutation = useMutation({\n mutationFn: async () => {\n if (!signer || !network || !provider) throw new Error('No signer or network');\n\n if (\n !(\n CoreProxy &&\n accountId &&\n collateralTypeAddress &&\n systemToken &&\n SpotMarketProxy &&\n usdTokens?.sUSD\n )\n ) {\n return;\n }\n\n if (!availableUSDCollateral) return;\n if (debtChange.eq(0)) return;\n const debtChangeAbs = debtChange.abs();\n const amountToDeposit = debtChangeAbs.sub(availableUSDCollateral);\n const collateralAmount = amountToDeposit.gt(0)\n ? parseUnits(amountToDeposit.toString(), 6)\n : BigNumber.from(0);\n\n dispatch({ type: 'prompting' });\n\n const spotMarketId = getSpotMarketId(collateralSymbol);\n\n const SpotMarketProxyContract = new ethers.Contract(\n SpotMarketProxy.address,\n SpotMarketProxy.abi,\n signer\n );\n\n // USDC or stataUSDC to sUSDC or sStataUSDC\n const wrap = collateralAmount.gt(0)\n ? SpotMarketProxyContract.populateTransaction.wrap(spotMarketId, collateralAmount, 0)\n : undefined;\n\n const Synth_Contract = new ethers.Contract(collateralTypeAddress, approveAbi, signer);\n const synth_approval = amountToDeposit.gt(0)\n ? Synth_Contract.populateTransaction.approve(\n SpotMarketProxy.address,\n amountToDeposit.toBN()\n )\n : undefined;\n\n // sUSDC or sStataUSDC => snxUSD\n const sell_synth = amountToDeposit.gt(0)\n ? SpotMarketProxyContract.populateTransaction.sell(\n spotMarketId,\n amountToDeposit.toBN(),\n 0,\n ethers.constants.AddressZero\n )\n : undefined;\n\n // approve sUSD to Core\n const SystemTokenContract = new ethers.Contract(systemToken.address, approveAbi, signer);\n const sUSD_Approval = amountToDeposit.gt(0)\n ? SystemTokenContract.populateTransaction.approve(CoreProxy.address, amountToDeposit.toBN())\n : undefined;\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n\n // Only deposit if user doesn't have enough sUSD collateral\n const deposit = amountToDeposit.lte(0)\n ? undefined\n : CoreProxyContract.populateTransaction.deposit(\n BigNumber.from(accountId),\n systemToken.address,\n amountToDeposit.toBN() // only deposit what's needed\n );\n\n const burn = CoreProxyContract.populateTransaction.burnUsd(\n BigNumber.from(accountId),\n BigNumber.from(POOL_ID),\n collateralTypeAddress,\n debtChangeAbs.toBN()\n );\n\n const callsPromise = Promise.all(\n [wrap, synth_approval, sell_synth, sUSD_Approval, deposit, burn].filter(notNil)\n );\n\n const [calls] = await Promise.all([callsPromise]);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const walletAddress = await signer.getAddress();\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useRepay',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n};\n","import { USDC_BASE_MARKET } from '@snx-v3/isBaseAndromeda';\nimport { Network, useNetwork, useProviderForChain } from '@snx-v3/useBlockchain';\nimport { useCollateralTypes } from '@snx-v3/useCollateralTypes';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useQuery } from '@tanstack/react-query';\nimport { ethers } from 'ethers';\n\nexport function useGetUSDTokens(customNetwork?: Network) {\n const { network: currentNetwork } = useNetwork();\n const network = customNetwork ?? currentNetwork;\n const provider = useProviderForChain(network);\n\n const { data: collateralTypes } = useCollateralTypes(false, customNetwork);\n const { data: SpotMarketProxy } = useSpotMarketProxy(customNetwork);\n const { data: systemToken } = useSystemToken(customNetwork);\n\n return useQuery({\n queryKey: [`${network?.id}-${network?.preset}`, 'GetUSDTokens'],\n enabled: Boolean(\n SpotMarketProxy && provider && network && collateralTypes?.length && systemToken\n ),\n queryFn: async () => {\n if (!(SpotMarketProxy && provider && network && collateralTypes?.length && systemToken)) {\n throw 'OMFG';\n }\n const SpotMarketProxyContract = new ethers.Contract(\n SpotMarketProxy.address,\n SpotMarketProxy.abi,\n provider\n );\n\n const USDC: string =\n network?.preset === 'andromeda'\n ? (await SpotMarketProxyContract.getWrapper(USDC_BASE_MARKET))?.wrapCollateralType\n : undefined;\n\n return {\n snxUSD: systemToken.address,\n sUSD: collateralTypes?.find((type) =>\n network?.preset === 'andromeda'\n ? type.symbol.toLowerCase() === 'usdc'\n : type.symbol.toLowerCase() === 'susdc'\n )?.tokenAddress,\n USDC,\n };\n },\n });\n}\n","import { assign, createMachine } from 'xstate';\n\nexport const Events = {\n SET_REQUIRE_APPROVAL: 'SET_REQUIRE_APPROVAL',\n SET_INFINITE_APPROVAL: 'SET_INFINITE_APPROVAL',\n RETRY: 'RETRY',\n RUN: 'RUN',\n SUCCESS: 'SUCCESS',\n FAILURE: 'FAILURE',\n RESET: 'RESET',\n} as const;\n\nexport const State = {\n idle: 'idle',\n approve: 'approve',\n repay: 'repay',\n failed: 'failed',\n success: 'success',\n} as const;\n\nconst FailedSteps = {\n [State.approve]: State.approve,\n [State.repay]: State.repay,\n} as const;\n\nexport const ServiceNames = {\n approveSUSD: 'approveSUSD',\n executeRepay: 'executeRepay',\n} as const;\n\ntype Context = {\n error: {\n error: Error;\n step: keyof typeof FailedSteps;\n } | null;\n requireApproval: boolean;\n infiniteApproval: boolean;\n};\n\ntype EventNamesType = typeof Events;\ntype RepayEvents =\n | { type: EventNamesType['SET_REQUIRE_APPROVAL']; requireApproval: boolean }\n | { type: EventNamesType['SET_INFINITE_APPROVAL']; infiniteApproval: boolean }\n | { type: EventNamesType['RETRY'] }\n | { type: EventNamesType['RUN'] }\n | { type: EventNamesType['SUCCESS'] }\n | { type: EventNamesType['FAILURE'] }\n | { type: EventNamesType['RESET'] };\n\ntype StateType = typeof State;\ntype MachineState =\n | {\n value: StateType['idle'];\n context: Context & { error: null };\n }\n | {\n value: StateType['approve'];\n context: Context & { error: null };\n }\n | {\n value: StateType['repay'];\n context: Context & { error: null };\n }\n | {\n value: StateType['failed'];\n context: Context & { error: { error: Error; step: keyof typeof FailedSteps } };\n }\n | {\n value: StateType['success'];\n context: Context & {\n error: null;\n };\n };\n\nconst initialContext = {\n error: null,\n requireApproval: false,\n infiniteApproval: false,\n};\n\nexport const RepayMachine = createMachine({\n id: 'RepayMachine',\n initial: State.idle,\n predictableActionArguments: true,\n context: initialContext,\n on: {\n [Events.RUN]: {\n target: State.repay,\n actions: assign({\n error: (_) => initialContext.error,\n requireApproval: (_) => initialContext.requireApproval,\n infiniteApproval: (_) => initialContext.infiniteApproval,\n }),\n },\n [Events.SET_REQUIRE_APPROVAL]: {\n actions: assign({ requireApproval: (_context, event) => event.requireApproval }),\n },\n\n [Events.SET_INFINITE_APPROVAL]: {\n actions: assign({ infiniteApproval: (_context, event) => event.infiniteApproval }),\n },\n },\n states: {\n [State.idle]: {\n on: {\n [Events.RUN]: [\n { target: State.approve, cond: (context) => context.requireApproval },\n { target: State.repay },\n ],\n },\n },\n\n [State.approve]: {\n invoke: {\n src: ServiceNames.approveSUSD,\n onDone: {\n target: State.repay,\n },\n onError: {\n target: State.failed,\n actions: assign({\n error: (_context, event) => ({ error: event.data, step: FailedSteps.approve }),\n }),\n },\n },\n },\n [State.repay]: {\n invoke: {\n src: ServiceNames.executeRepay,\n onDone: {\n target: State.success,\n },\n onError: {\n target: State.failed,\n actions: assign({\n error: (_context, event) => ({ error: event.data, step: FailedSteps.repay }),\n }),\n },\n },\n },\n [State.failed]: {\n on: {\n [Events.RETRY]: [\n {\n target: State.approve,\n cond: (c) => c.error?.step === FailedSteps.approve,\n actions: assign({ error: (_) => null }),\n },\n\n {\n target: State.repay,\n cond: (c) => c.error?.step === FailedSteps.repay,\n actions: assign({ error: (_) => null }),\n },\n ],\n },\n },\n [State.success]: {},\n },\n});\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Link, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { D18, D6, ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { LiquidityPositionUpdated } from '@snx-v3/Manage';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useRepay } from '@snx-v3/useRepay';\nimport { useRepayBaseAndromeda } from '@snx-v3/useRepayBaseAndromeda';\nimport { useSpotMarketProxy } from '@snx-v3/useSpotMarketProxy';\nimport { useSynthTokens } from '@snx-v3/useSynthTokens';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useMachine } from '@xstate/react';\nimport React from 'react';\nimport { Events, RepayMachine, ServiceNames, State } from './RepayMachine';\n\nexport function RepayModal({ onClose }: { onClose: () => void }) {\n const { debtChange, setDebtChange } = React.useContext(ManagePositionContext);\n const [params] = useParams();\n\n const { network } = useNetwork();\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: systemToken } = useSystemToken();\n\n const { exec: execRepay, settle: settleRepay } = useRepay({\n repayAmount: debtChange && debtChange.lt(0) ? debtChange.abs() : undefined,\n });\n\n const { exec: execRepayBaseAndromeda, settle: settleRepayBaseAndromeda } = useRepayBaseAndromeda({\n accountId: params.accountId,\n collateralTypeAddress: collateralType?.tokenAddress,\n debtChange,\n availableUSDCollateral: liquidityPosition ? liquidityPosition.availableSystemToken : undefined,\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const { data: CoreProxy } = useCoreProxy();\n const { data: SpotMarketProxy } = useSpotMarketProxy();\n\n const errorParser = useContractErrorParser();\n const amountToDeposit = debtChange\n .abs()\n .sub(liquidityPosition ? liquidityPosition.availableSystemToken : 0);\n\n const { data: synthTokens } = useSynthTokens();\n const wrapperToken = React.useMemo(() => {\n if (synthTokens && collateralType) {\n return synthTokens.find((synth) => synth.address === collateralType.tokenAddress)?.token\n ?.address;\n }\n }, [collateralType, synthTokens]);\n\n const collateralAddress = network?.preset === 'andromeda' ? wrapperToken : systemToken?.address;\n\n const {\n approve,\n requireApproval,\n isReady: isReadyApprove,\n } = useApprove({\n contractAddress: collateralAddress,\n amount:\n network?.preset === 'andromeda'\n ? amountToDeposit.toBN().mul(D6).div(D18) // On Base we use USDC and it has 6 decimals\n : amountToDeposit.toBN(),\n spender: network?.preset === 'andromeda' ? SpotMarketProxy?.address : CoreProxy?.address,\n });\n\n const [state, send] = useMachine(RepayMachine, {\n services: {\n [ServiceNames.approveSUSD]: async () => {\n try {\n toast({\n title: `Approve ${systemToken?.displaySymbol} for transfer`,\n description: 'The next transaction will repay your debt.',\n status: 'info',\n variant: 'left-accent',\n });\n\n await approve(Boolean(state.context.infiniteApproval));\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Approval failed',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Approve failed', { cause: error });\n }\n },\n\n [ServiceNames.executeRepay]: async () => {\n try {\n toast.closeAll();\n toast({ title: 'Repaying...', variant: 'left-accent' });\n\n if (network?.preset === 'andromeda') {\n await execRepayBaseAndromeda();\n } else {\n await execRepay();\n }\n\n setDebtChange(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your debt has been repaid.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast({\n title: 'Could not complete repaying',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Repay failed', { cause: error });\n }\n },\n },\n });\n const needToDeposit = amountToDeposit.gt(0);\n\n React.useEffect(() => {\n send(Events.SET_REQUIRE_APPROVAL, { requireApproval: requireApproval && needToDeposit });\n }, [needToDeposit, requireApproval, send]);\n\n const onSubmit = React.useCallback(async () => {\n if (state.matches(State.success)) {\n send(Events.RESET);\n onClose();\n return;\n }\n if (state.context.error) {\n send(Events.RETRY);\n return;\n }\n send(Events.RUN);\n }, [onClose, send, state]);\n\n const symbol = network?.preset === 'andromeda' ? 'USDC' : systemToken?.displaySymbol;\n\n if (state.matches(State.success)) {\n return (\n \n Your debt has been updated. To learn more, visit the{' '}\n \n Synthetix V3 Documentation\n \n >\n }\n alertText={\n <>\n Debt successfully updated\n >\n }\n />\n );\n }\n\n return (\n \n
\n {\n settleRepay();\n settleRepayBaseAndromeda();\n onClose();\n }}\n mr={2}\n />\n Manage Debt\n \n
\n
\n send(Events.SET_INFINITE_APPROVAL, { infiniteApproval: e.target.checked }),\n }}\n />\n \n Repay \n \n }\n status={{\n failed: state.context.error?.step === State.repay,\n success: state.matches(State.success),\n loading: state.matches(State.repay) && !state.context.error,\n }}\n />\n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_repay_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n onSubmit();\n }}\n width=\"100%\"\n mt=\"6\"\n data-cy=\"repay confirm button\"\n >\n {(() => {\n switch (true) {\n case Boolean(state.context.error):\n return 'Retry';\n case state.matches(State.approve) || state.matches(State.repay):\n return 'Processing...';\n case state.matches(State.success):\n return 'Continue';\n default:\n return 'Execute Transaction';\n }\n })()}\n \n \n );\n}\n","import { POOL_ID } from '@snx-v3/constants';\nimport { contractsHash } from '@snx-v3/tsHelpers';\nimport { useNetwork, useProvider } from '@snx-v3/useBlockchain';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { erc7412Call } from '@snx-v3/withERC7412';\nimport { SmallIntSchema, WeiSchema } from '@snx-v3/zod';\nimport { useQuery } from '@tanstack/react-query';\nimport { ethers } from 'ethers';\nimport { z } from 'zod';\n\nexport const MarketConfigurationSchema = z.object({\n id: SmallIntSchema,\n weight: WeiSchema,\n maxDebtShareValue: WeiSchema,\n isLocked: z.boolean(),\n});\n\nexport const PoolConfigurationSchema = z.object({\n id: z.number(),\n markets: MarketConfigurationSchema.array(),\n isAnyMarketLocked: z.boolean(),\n});\n\nexport const usePoolConfiguration = () => {\n const { network } = useNetwork();\n const { data: CoreProxy } = useCoreProxy();\n const provider = useProvider();\n\n return useQuery({\n enabled: Boolean(CoreProxy && network && provider),\n queryKey: [\n `${network?.id}-${network?.preset}`,\n 'PoolConfiguration',\n { contractsHash: contractsHash([CoreProxy]) },\n ],\n queryFn: async () => {\n if (!(CoreProxy && network && provider)) throw 'OMFG';\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, provider);\n\n const marketsData: {\n marketId: ethers.BigNumber;\n maxDebtShareValueD18: ethers.BigNumber;\n weightD18: ethers.BigNumber;\n }[] = await CoreProxyContract.getPoolConfiguration(ethers.BigNumber.from(POOL_ID));\n const markets = marketsData.map(({ marketId, maxDebtShareValueD18, weightD18 }) => ({\n id: marketId,\n weight: maxDebtShareValueD18,\n maxDebtShareValue: weightD18,\n }));\n\n const allCalls = await Promise.all(\n markets.map((m) => CoreProxyContract.populateTransaction.isMarketCapacityLocked(m.id))\n );\n\n const decoded = await erc7412Call(\n network,\n provider,\n allCalls,\n (decodedMulticall) => {\n return decodedMulticall.map(({ returnData }) => {\n const [isMarketCapacityLocked] = CoreProxyContract.interface.decodeFunctionResult(\n 'isMarketCapacityLocked',\n returnData\n );\n return isMarketCapacityLocked;\n });\n },\n 'isMarketCapacityLocked'\n );\n\n return PoolConfigurationSchema.parse({\n id: parseInt(POOL_ID),\n markets: markets.map((market, i) => ({\n ...market,\n isLocked: decoded[i],\n })),\n isAnyMarketLocked: decoded.some(Boolean),\n });\n },\n });\n};\n","import { ArrowUpIcon, CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { transactionLink } from '@snx-v3/etherscanLink';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { Wei, wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function UndelegateModal({\n txnStatus,\n approvalTxnStatus,\n txnHash,\n}: {\n txnStatus: string;\n approvalTxnStatus?: string;\n txnHash: string | null;\n}) {\n const [params] = useParams();\n const { collateralChange, setCollateralChange, setDebtChange } =\n React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const [isOpen, setIsOpen] = React.useState(false);\n const { network } = useNetwork();\n\n React.useEffect(() => {\n if (txnStatus === 'prompting' || approvalTxnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error' || approvalTxnStatus === 'error') {\n setIsOpen(false);\n }\n }, [approvalTxnStatus, txnStatus]);\n\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [undelegateAmount, setUndelegateAmount] = React.useState();\n React.useEffect(() => {\n if (collateralChange && collateralChange.lt(0)) {\n setUndelegateAmount(collateralChange.abs());\n }\n }, [collateralChange]);\n\n return (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setIsOpen(false);\n }}\n >\n \n \n \n \n Unlocking Collateral\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {undelegateAmount ? (\n \n \n \n ) : null}\n \n \n\n {txnStatus === 'success' ? (\n setIsOpen(false)}\n >\n Done\n \n ) : null}\n \n \n {txnHash ? (\n <>\n View Transaction \n \n >\n ) : (\n <>\n Signing Transaction \n >\n )}\n \n \n \n \n \n );\n}\n","import {\n Alert,\n AlertDescription,\n AlertIcon,\n AlertTitle,\n Button,\n Collapse,\n Flex,\n Link,\n Text,\n useToast,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { D18, D6, ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { CRatioChangeStat } from '@snx-v3/CRatioBar';\nimport { currency } from '@snx-v3/format';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { TransactionSummary } from '@snx-v3/TransactionSummary';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useDebtRepayer } from '@snx-v3/useDebtRepayer';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { makeSearch, type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { usePoolConfiguration } from '@snx-v3/usePoolConfiguration';\nimport { useUndelegate } from '@snx-v3/useUndelegate';\nimport { useUndelegateBaseAndromeda } from '@snx-v3/useUndelegateBaseAndromeda';\nimport { useUSDC } from '@snx-v3/useUSDC';\nimport { useWithdrawTimer } from '@snx-v3/useWithdrawTimer';\nimport { validatePosition } from '@snx-v3/validatePosition';\nimport Wei, { wei } from '@synthetixio/wei';\nimport { ethers } from 'ethers';\nimport React from 'react';\nimport { UndelegateModal } from './UndelegateModal';\n\nexport function Undelegate() {\n const [params, setParams] = useParams();\n const { collateralChange, debtChange, setCollateralChange } =\n React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const poolConfiguration = usePoolConfiguration();\n const { network } = useNetwork();\n const { data: USDC } = useUSDC();\n const { data: DebtRepayer } = useDebtRepayer();\n\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const collateralPrice = liquidityPosition?.collateralPrice;\n\n const { newDebt } = validatePosition({\n issuanceRatioD18: collateralType?.issuanceRatioD18,\n collateralAmount: liquidityPosition?.collateralAmount,\n collateralPrice,\n debt: liquidityPosition?.debt,\n collateralChange: collateralChange,\n debtChange: debtChange,\n });\n\n const approveAndromedaUSDCAmount = React.useMemo(() => {\n if (network?.preset !== 'andromeda') {\n return ethers.BigNumber.from(0);\n }\n if (!liquidityPosition) {\n return undefined;\n }\n if (liquidityPosition.debt.lte(0)) {\n return ethers.BigNumber.from(0);\n }\n return liquidityPosition.debt.toBN().mul(D6).div(D18).mul(110).div(100);\n }, [liquidityPosition, network?.preset]);\n const {\n approve,\n requireApproval,\n txnState: approvalTxnState,\n isReady: isReadyApproveAndromedaUSDC,\n } = useApprove({\n contractAddress: USDC?.address,\n amount: approveAndromedaUSDCAmount,\n spender: DebtRepayer?.address,\n });\n\n const {\n isReady: isReadyUndelegate,\n txnState: undelegateTxnState,\n mutation: undelegate,\n } = useUndelegate({\n undelegateAmount:\n collateralChange && collateralChange.lt(0) ? collateralChange.abs() : undefined,\n });\n\n const {\n isReady: isReadyUndelegateAndromeda,\n txnState: undelegateAndromedaTxnState,\n mutation: undelegateAndromeda,\n } = useUndelegateBaseAndromeda({\n undelegateAmount:\n collateralChange && collateralChange.lt(0) ? collateralChange.abs() : undefined,\n });\n\n const isReady =\n (network?.preset === 'andromeda' &&\n isReadyApproveAndromedaUSDC &&\n isReadyUndelegateAndromeda) ||\n (network?.preset !== 'andromeda' && isReadyUndelegate);\n\n const txnState =\n network?.preset === 'andromeda' ? undelegateAndromedaTxnState : undelegateTxnState;\n\n const maxWithdrawable = liquidityPosition?.availableCollateral;\n\n // To get the max withdrawable collateral we look at the new debt and the issuance ratio.\n // This gives us the amount in dollar. We then divide by the collateral price.\n // To avoid the transaction failing due to small price deviations, we also apply a 2% buffer by multiplying with 0.98\n const max = (() => {\n if (!liquidityPosition || !collateralType) {\n return undefined;\n }\n const { collateralAmount, collateralValue } = liquidityPosition;\n\n if (network?.preset === 'andromeda') {\n return collateralAmount;\n }\n\n // if debt is negative it's actually credit, which means we can undelegate all collateral\n if (newDebt.lte(0)) return collateralAmount;\n\n const minCollateralRequired = newDebt.mul(collateralType.liquidationRatioD18);\n\n if (collateralValue.lt(minCollateralRequired))\n // If you're below issuance ratio, you can't withdraw anything\n return wei(0);\n\n const maxWithdrawable = collateralValue.sub(minCollateralRequired).mul(0.98);\n\n return Wei.min(collateralAmount, maxWithdrawable);\n })();\n\n const isLoadingRequiredData = poolConfiguration.isLoading || !max;\n const isAnyMarketLocked = poolConfiguration.data?.isAnyMarketLocked;\n\n const { minutes, hours, isRunning } = useWithdrawTimer(params.accountId);\n\n const leftoverCollateral = liquidityPosition?.collateralAmount?.add(collateralChange) || wei(0);\n const isValidLeftover =\n leftoverCollateral.gte(collateralType?.minDelegationD18 || wei(0)) || leftoverCollateral.eq(0);\n\n const isInputDisabled = isAnyMarketLocked;\n const overAvailableBalance = max ? collateralChange.abs().gt(max) : false;\n const isSubmitDisabled =\n !isReady ||\n isLoadingRequiredData ||\n isAnyMarketLocked ||\n collateralChange.gte(0) ||\n !isValidLeftover ||\n overAvailableBalance;\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const errorParser = useContractErrorParser();\n\n const onSubmit = React.useCallback(\n async (e: React.FormEvent) => {\n e.preventDefault();\n\n try {\n toast.closeAll();\n toast({ title: 'Undelegating...', variant: 'left-accent' });\n\n if (network?.preset === 'andromeda') {\n if (requireApproval) {\n await approve(false);\n }\n await undelegateAndromeda.mutateAsync();\n } else {\n await undelegate.mutateAsync();\n }\n\n setCollateralChange(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your collateral has been updated.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast({\n title: 'Could not complete repaying',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Undelegate failed', { cause: error });\n }\n },\n [\n approve,\n errorParser,\n network?.preset,\n requireApproval,\n setCollateralChange,\n toast,\n undelegate,\n undelegateAndromeda,\n ]\n );\n\n return (\n \n \n \n Unlock Collateral\n \n\n \n \n \n \n \n {collateralType?.displaySymbol ?? params.collateralSymbol}\n \n \n \n {isPendingLiquidityPosition ? 'Locked: ~' : null}\n {!isPendingLiquidityPosition && max ? (\n <>\n \n \n setCollateralChange(max.mul(-1))}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n \n \n \n setCollateralChange(val.mul(-1))}\n max={max}\n min={ZEROWEI}\n />\n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition &&\n liquidityPosition &&\n liquidityPosition.collateralPrice.gt(0) ? (\n \n ) : null}\n \n \n \n\n \n \n \n \n Credit capacity reached \n \n One of the markets has reached its credit capacity and is currently in a locked state.\n You cannot unlock collateral from the pool at this time.\n \n \n \n \n\n {collateralType ? (\n \n \n \n \n \n The minimal locked amount is{' '}\n \n \n \n You can close your position by removing all the collateral.\n \n \n \n \n ) : null}\n\n \n \n \n \n You will be able to withdraw assets in {hours}H{minutes}M. Any account activity will\n reset this timer to 24H.\n \n \n \n\n {liquidityPosition ? (\n \n \n \n \n You already have{' '}\n {' '}\n unlocked. \n {\n e.preventDefault();\n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: 'withdraw',\n accountId: params.accountId,\n });\n }}\n textDecoration=\"underline\"\n >\n Withdraw\n {' '}\n before unlocking again as it will restart the 24h withdrawal timeout.\n \n \n \n ) : null}\n\n {network?.preset === 'andromeda' && liquidityPosition ? (\n \n \n \n \n to\n unlock {liquidityPosition.collateralType.displaySymbol}\n \n \n \n ) : null}\n\n {liquidityPosition ? (\n \n currency(val ?? ZEROWEI)}\n hasChanges={collateralChange.abs().gt(0)}\n size=\"sm\"\n />\n ),\n },\n ...(network?.preset !== 'andromeda'\n ? [\n {\n label: 'C-ratio',\n value: (\n \n ),\n },\n ]\n : []),\n ]}\n />\n \n ) : null}\n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_undelegate_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n onSubmit(e);\n }}\n data-cy=\"undelegate submit\"\n type=\"submit\"\n isDisabled={isSubmitDisabled}\n >\n {collateralChange.gte(0) ? 'Enter Amount' : 'Unlock Collateral'}\n \n \n );\n}\n","import Wei, { wei } from '@synthetixio/wei';\nimport { assign, createMachine } from 'xstate';\n\nexport const Events = {\n SET_AMOUNT: 'SET_AMOUNT',\n SET_COLLATERAL_SYMBOL: 'SET_COLLATERAL_SYMBOL',\n RETRY: 'RETRY',\n RUN: 'RUN',\n SUCCESS: 'SUCCESS',\n FAILURE: 'FAILURE',\n RESET: 'RESET',\n} as const;\n\nexport const State = {\n idle: 'idle',\n undelegate: 'undelegate',\n failed: 'failed',\n success: 'success',\n} as const;\n\nexport const FailedSteps = {\n [State.undelegate]: State.undelegate,\n} as const;\n\nexport const ServiceNames = {\n undelegate: 'undelegate',\n} as const;\n\ntype Context = {\n error: { error: Error; step: keyof typeof FailedSteps } | null;\n amount: Wei;\n collateralSymbol?: string;\n};\n\ntype EventType = typeof Events;\ntype UndelegateEvents =\n | { type: EventType['SET_AMOUNT']; amount: Wei }\n | { type: EventType['SET_COLLATERAL_SYMBOL']; symbol: string }\n | { type: EventType['RETRY'] }\n | { type: EventType['RUN'] }\n | { type: EventType['SUCCESS'] }\n | { type: EventType['FAILURE'] }\n | { type: EventType['RESET'] };\n\ntype StateType = typeof State;\nexport type MachineState =\n | {\n value: StateType['idle'];\n context: Context & { error: null };\n }\n | {\n value: StateType['undelegate'];\n context: Context & { error: null };\n }\n | {\n value: StateType['failed'];\n context: Context & { error: { error: Error; step: keyof typeof FailedSteps } };\n }\n | {\n value: StateType['success'];\n context: Context & {\n error: null;\n };\n };\n\nconst initialContext = {\n amount: wei(0),\n error: null,\n collateralSymbol: undefined,\n};\nexport const UndelegateMachine = createMachine({\n id: 'UndelegateMachine',\n initial: State.idle,\n predictableActionArguments: true,\n context: initialContext,\n on: {\n [Events.RESET]: {\n target: State.idle,\n actions: assign({\n amount: (_) => initialContext.amount,\n error: (_) => initialContext.error,\n collateralSymbol: (_) => initialContext.collateralSymbol,\n }),\n },\n [Events.SET_AMOUNT]: {\n actions: assign({ amount: (_context, event) => event.amount }),\n },\n [Events.SET_COLLATERAL_SYMBOL]: {\n actions: assign({ collateralSymbol: (_context, event) => event.symbol }),\n },\n },\n states: {\n [State.idle]: {\n on: {\n [Events.RUN]: [{ target: State.undelegate, cond: (context) => context.amount.gt(0) }],\n },\n },\n\n [State.undelegate]: {\n invoke: {\n src: ServiceNames.undelegate,\n onError: {\n target: State.failed,\n actions: assign({\n error: (_context, event) => ({ error: event.data, step: FailedSteps.undelegate }),\n }),\n },\n onDone: [{ target: State.success }],\n },\n },\n\n [State.failed]: {\n on: {\n [Events.RETRY]: [\n {\n target: State.undelegate,\n cond: (c) => c.error?.step === FailedSteps.undelegate,\n actions: assign({ error: (_) => null }),\n },\n ],\n },\n },\n [State.success]: {},\n },\n});\n","import { ArrowBackIcon } from '@chakra-ui/icons';\nimport { Button, Divider, Link, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { ChangeStat } from '@snx-v3/ChangeStat';\nimport { D18, D6, ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { CRatioChangeStat } from '@snx-v3/CRatioBar';\nimport { currency } from '@snx-v3/format';\nimport { LiquidityPositionUpdated } from '@snx-v3/Manage';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Multistep } from '@snx-v3/Multistep';\nimport { TransactionSummary } from '@snx-v3/TransactionSummary';\nimport { useApprove } from '@snx-v3/useApprove';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useDebtRepayer } from '@snx-v3/useDebtRepayer';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useUndelegate } from '@snx-v3/useUndelegate';\nimport { useUndelegateBaseAndromeda } from '@snx-v3/useUndelegateBaseAndromeda';\nimport { useUSDC } from '@snx-v3/useUSDC';\nimport { Wei, wei } from '@synthetixio/wei';\nimport { useMachine } from '@xstate/react';\nimport { ethers } from 'ethers';\nimport React from 'react';\nimport { Events, ServiceNames, State, UndelegateMachine } from './UndelegateMachine';\n\nexport function UndelegateModal({ onClose }: { onClose: () => void }) {\n const [params] = useParams();\n const { collateralChange, setCollateralChange } = React.useContext(ManagePositionContext);\n const { network } = useNetwork();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n\n const [txSummary, setTxSummary] = React.useState({\n currentCollateral: ZEROWEI,\n collateralChange: ZEROWEI,\n currentDebt: ZEROWEI,\n });\n\n const currentCollateral = liquidityPosition?.collateralAmount || wei(0);\n\n const { exec: execUndelegate, isReady: isReadyUndelegate } = useUndelegate({\n undelegateAmount:\n collateralChange && collateralChange.lt(0) ? collateralChange.abs() : undefined,\n });\n\n // Andromeda debt repayment\n const { data: USDC } = useUSDC();\n const { data: DebtRepayer } = useDebtRepayer();\n const approveAndromedaUSDCAmount = React.useMemo(() => {\n if (network?.preset !== 'andromeda') {\n return ethers.BigNumber.from(0);\n }\n if (!liquidityPosition) {\n return undefined;\n }\n if (liquidityPosition.debt.lte(0)) {\n return ethers.BigNumber.from(0);\n }\n return liquidityPosition.debt.toBN().mul(D6).div(D18).mul(110).div(100);\n }, [liquidityPosition, network?.preset]);\n const {\n approve,\n requireApproval,\n isReady: isReadyApproveAndromedaUSDC,\n } = useApprove({\n contractAddress: USDC?.address,\n amount: approveAndromedaUSDCAmount,\n spender: DebtRepayer?.address,\n });\n const { exec: undelegateBaseAndromeda, isReady: isReadyUndelegateAndromeda } =\n useUndelegateBaseAndromeda({\n undelegateAmount:\n collateralChange && collateralChange.lt(0) ? collateralChange.abs() : undefined,\n });\n // End of Andromeda debt repayment\n\n const errorParser = useContractErrorParser();\n\n const [state, send] = useMachine(UndelegateMachine, {\n context: {\n amount: collateralChange.abs(),\n },\n services: {\n [ServiceNames.undelegate]: async () => {\n try {\n setTxSummary({\n currentCollateral,\n currentDebt: liquidityPosition?.debt || ZEROWEI,\n collateralChange,\n });\n\n if (network?.preset === 'andromeda') {\n if (requireApproval) {\n await approve(false);\n }\n await undelegateBaseAndromeda();\n } else {\n await execUndelegate();\n }\n\n setCollateralChange(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your locked collateral amount has been updated.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Unlock collateral failed',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n throw Error('Unlock collateral failed', { cause: error });\n }\n },\n },\n });\n\n const collateralChangeString = collateralChange.toString();\n\n React.useEffect(() => {\n send(Events.SET_AMOUNT, { amount: wei(collateralChangeString).abs() });\n }, [collateralChangeString, send]);\n\n React.useEffect(() => {\n send(Events.SET_COLLATERAL_SYMBOL, { symbol: wei(collateralChangeString).abs() });\n }, [collateralChangeString, send]);\n\n const onSubmit = React.useCallback(async () => {\n if (state.matches(State.success)) {\n send(Events.RESET);\n onClose();\n return;\n }\n if (state.context.error) {\n send(Events.RETRY);\n return;\n }\n send(Events.RUN);\n }, [onClose, send, state]);\n\n const isProcessing = state.matches(State.undelegate);\n if (state.matches(State.success)) {\n return (\n \n Your collateral has been updated. To learn more, visit the{' '}\n \n Synthetix V3 Documentation\n \n >\n }\n alertText={\n <>\n Collateral successfully updated\n >\n }\n summary={\n currency(val ?? ZEROWEI)}\n hasChanges={txSummary.collateralChange.abs().gt(0)}\n size=\"sm\"\n />\n ),\n },\n ]\n : []),\n ...(liquidityPosition && network?.preset !== 'andromeda'\n ? [\n {\n label: 'C-ratio',\n value: (\n \n ),\n },\n ]\n : []),\n ]}\n />\n }\n />\n );\n }\n\n const isReady =\n !isProcessing &&\n ((network?.preset === 'andromeda' &&\n isReadyApproveAndromedaUSDC &&\n isReadyUndelegateAndromeda) ||\n (network?.preset !== 'andromeda' && isReadyUndelegate));\n\n return (\n \n
\n \n Manage Collateral\n \n
\n
\n }\n status={{\n failed: Boolean(state.context.error?.step === State.undelegate),\n disabled: state.context.amount.eq(0),\n success: state.matches(State.success),\n loading: state.matches(State.undelegate) && !state.context.error,\n }}\n />\n\n
{\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_undelegate_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n onSubmit();\n }}\n width=\"100%\"\n mt=\"6\"\n data-cy=\"undelegate confirm button\"\n >\n {(() => {\n switch (true) {\n case Boolean(state.context.error):\n return 'Retry';\n case isProcessing:\n return 'Processing...';\n case state.matches(State.success):\n return 'Continue';\n default:\n return 'Execute Transaction';\n }\n })()}\n \n
\n );\n}\n","import { UndelegateModal } from './UndelegateModal';\n\nexport * from './UndelegateModal';\nexport default UndelegateModal;\n","import { parseUnits } from '@snx-v3/format';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCoreProxy } from '@snx-v3/useCoreProxy';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport Wei from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { BigNumber, ethers } from 'ethers';\nimport { useReducer } from 'react';\n\nconst log = debug('snx:useWithdraw');\n\nexport const useWithdraw = ({\n accountId,\n token,\n amount,\n}: {\n accountId?: string;\n token?: { address: string; decimals: number };\n amount: Wei;\n}) => {\n const [txnState, dispatch] = useReducer(reducer, initialState);\n const { data: CoreProxy } = useCoreProxy();\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n const { network } = useNetwork();\n\n const signer = useSigner();\n const provider = useProvider();\n\n const isReady = signer && network && provider && CoreProxy && token && amount && amount.gt(0);\n const queryClient = useQueryClient();\n const mutation = useMutation({\n mutationFn: async () => {\n if (!isReady) {\n throw new Error('Not ready');\n }\n const walletAddress = await signer.getAddress();\n\n dispatch({ type: 'prompting' });\n\n const CoreProxyContract = new ethers.Contract(CoreProxy.address, CoreProxy.abi, signer);\n const populatedTxnPromised = CoreProxyContract.populateTransaction.withdraw(\n BigNumber.from(accountId),\n token.address,\n parseUnits(amount.toString(), token.decimals)\n );\n\n const callsPromise = Promise.all([populatedTxnPromised]);\n const [calls] = await Promise.all([callsPromise]);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useWithdraw',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n 'TransferableSynthetix',\n 'AccountCollateralUnlockDate',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n throw error;\n },\n });\n return {\n isReady,\n mutation,\n txnState,\n settle: () => dispatch({ type: 'settled' }),\n isLoading: mutation.isPending,\n exec: mutation.mutateAsync,\n };\n};\n","import { ArrowUpIcon, CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { transactionLink } from '@snx-v3/etherscanLink';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { WithdrawIncrease } from '@snx-v3/WithdrawIncrease';\nimport { Wei, wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function WithdrawModal({\n txnStatus,\n txnHash,\n isDebtWithdrawal,\n}: {\n txnStatus: string;\n txnHash: string | null;\n isDebtWithdrawal?: boolean;\n}) {\n const [params] = useParams();\n const { withdrawAmount, setWithdrawAmount } = React.useContext(ManagePositionContext);\n const { data: systemToken } = useSystemToken();\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const [isOpen, setIsOpen] = React.useState(false);\n const { network } = useNetwork();\n\n React.useEffect(() => {\n if (txnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error') {\n setIsOpen(false);\n }\n }, [txnStatus]);\n\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [cachedWithdrawAmount, setCachedWithdrawAmount] = React.useState();\n React.useEffect(() => {\n if (withdrawAmount && withdrawAmount.gt(0)) {\n setCachedWithdrawAmount(withdrawAmount.abs());\n }\n }, [withdrawAmount]);\n\n return (\n {\n setWithdrawAmount(wei(0));\n setIsOpen(false);\n }}\n >\n \n \n \n \n {isDebtWithdrawal ? 'Withdrawing' : 'Withdrawing Collateral'}\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {withdrawAmount ? (\n \n \n \n ) : null}\n \n \n \n {txnStatus === 'success' ? (\n setIsOpen(false)}\n >\n Done\n \n ) : null}\n \n \n {txnHash ? (\n <>\n View Transaction \n \n >\n ) : (\n <>\n Signing Transaction \n >\n )}\n \n \n \n \n \n );\n}\n","import { Alert, AlertIcon, Button, Collapse, Flex, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { useAccountCollateralUnlockDate } from '@snx-v3/useAccountCollateralUnlockDate';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { useSystemToken } from '@snx-v3/useSystemToken';\nimport { useWithdraw } from '@snx-v3/useWithdraw';\nimport { useWithdrawTimer } from '@snx-v3/useWithdrawTimer';\nimport React from 'react';\nimport { WithdrawModal } from './WithdrawModal';\n\nexport function Withdraw({ isDebtWithdrawal = false }: { isDebtWithdrawal?: boolean }) {\n const [params] = useParams();\n const { setWithdrawAmount, withdrawAmount } = React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: systemToken } = useSystemToken();\n\n const { data: accountCollateralUnlockDate, isLoading: isLoadingDate } =\n useAccountCollateralUnlockDate({ accountId: params.accountId });\n\n const symbol = isDebtWithdrawal ? systemToken?.symbol : collateralType?.symbol;\n const displaySymbol = isDebtWithdrawal\n ? systemToken?.displaySymbol\n : collateralType?.displaySymbol;\n const { minutes, hours, isRunning } = useWithdrawTimer(params.accountId);\n const unlockDate = !isLoadingDate ? accountCollateralUnlockDate : null;\n\n const maxWithdrawable = React.useMemo(() => {\n if (isDebtWithdrawal && liquidityPosition) {\n return liquidityPosition.availableSystemToken;\n }\n if (!isDebtWithdrawal && liquidityPosition) {\n return liquidityPosition.availableCollateral;\n }\n }, [isDebtWithdrawal, liquidityPosition]);\n\n const {\n mutation: withdraw,\n isReady: isWithdrawReady,\n txnState,\n } = useWithdraw({\n amount: withdrawAmount,\n accountId: params.accountId,\n token: isDebtWithdrawal ? systemToken : collateralType,\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const errorParser = useContractErrorParser();\n const onSubmit = React.useCallback(\n async (e: React.FormEvent) => {\n e.preventDefault();\n\n try {\n toast.closeAll();\n toast({ title: 'Withdrawing...', variant: 'left-accent' });\n\n await withdraw.mutateAsync();\n setWithdrawAmount(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Withdrawal was successful',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Could not complete withdrawing',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n }\n },\n [errorParser, setWithdrawAmount, toast, withdraw]\n );\n\n return (\n \n \n \n {isDebtWithdrawal ? 'Withdraw' : 'Withdraw Collateral'}\n \n \n \n \n \n \n {isDebtWithdrawal ? systemToken?.displaySymbol : collateralType?.displaySymbol}\n \n \n \n {isDebtWithdrawal && isPendingLiquidityPosition ? 'Available: ~' : null}\n {!isDebtWithdrawal && isPendingLiquidityPosition ? 'Unlocked: ~' : null}\n {maxWithdrawable ? (\n <>\n \n \n setWithdrawAmount(maxWithdrawable)}\n color=\"cyan.500\"\n fontWeight={700}\n >\n Max\n \n >\n ) : null}\n \n \n \n setWithdrawAmount(val)}\n max={maxWithdrawable}\n min={ZEROWEI}\n />\n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition &&\n liquidityPosition &&\n liquidityPosition.collateralPrice.gt(0) ? (\n \n ) : null}\n \n \n \n\n \n \n \n \n You will be able to withdraw assets in {hours}H{minutes}M. Any account activity will\n reset this timer to 24H.\n \n \n \n\n \n \n \n \n \n \n\n \n \n \n \n You cannot Withdraw more {!isDebtWithdrawal ? 'Collateral' : ''} than your Unlocked\n Balance\n \n \n \n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_withdraw_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n }}\n >\n {withdrawAmount.gt(0) ? 'Withdraw' : 'Enter Amount'}\n \n \n );\n}\n","import { ArrowUpIcon, CheckIcon } from '@chakra-ui/icons';\nimport {\n Button,\n CircularProgress,\n Divider,\n Flex,\n Link,\n Modal,\n ModalBody,\n ModalContent,\n ModalOverlay,\n Text,\n} from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { transactionLink } from '@snx-v3/etherscanLink';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { WithdrawIncrease } from '@snx-v3/WithdrawIncrease';\nimport { Wei, wei } from '@synthetixio/wei';\nimport React from 'react';\n\nexport function WithdrawModalAndromeda({\n txnStatus,\n txnHash,\n}: {\n txnStatus: string;\n txnHash: string | null;\n}) {\n const { withdrawAmount, setWithdrawAmount } = React.useContext(ManagePositionContext);\n const [isOpen, setIsOpen] = React.useState(false);\n const { network } = useNetwork();\n\n React.useEffect(() => {\n if (txnStatus === 'prompting') {\n setIsOpen(true);\n }\n if (txnStatus === 'error') {\n setIsOpen(false);\n }\n }, [txnStatus]);\n\n // This caching is necessary to keep initial values after success and not reset them to zeroes\n const [cachedWithdrawAmount, setCachedWithdrawAmount] = React.useState();\n React.useEffect(() => {\n if (withdrawAmount && withdrawAmount.gt(0)) {\n setCachedWithdrawAmount(withdrawAmount.abs());\n }\n }, [withdrawAmount]);\n\n return (\n {\n setWithdrawAmount(wei(0));\n setIsOpen(false);\n }}\n >\n \n \n \n \n Withdrawing USDC\n \n\n \n\n \n \n {txnStatus === 'success' ? (\n \n ) : (\n \n )}\n \n \n {withdrawAmount ? (\n \n \n \n ) : null}\n \n \n \n {txnStatus === 'success' ? (\n setIsOpen(false)}\n >\n Done\n \n ) : null}\n \n \n {txnHash ? (\n <>\n View Transaction \n \n >\n ) : (\n <>\n Signing Transaction \n >\n )}\n \n \n \n \n \n );\n}\n","import { Alert, AlertIcon, Button, Collapse, Flex, Text, useToast } from '@chakra-ui/react';\nimport { Amount } from '@snx-v3/Amount';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ZEROWEI } from '@snx-v3/constants';\nimport { ContractError } from '@snx-v3/ContractError';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { NumberInput } from '@snx-v3/NumberInput';\nimport { TokenIcon } from '@snx-v3/TokenIcon';\nimport { initialState, reducer } from '@snx-v3/txnReducer';\nimport { useAccountCollateralUnlockDate } from '@snx-v3/useAccountCollateralUnlockDate';\nimport { useAccountProxy } from '@snx-v3/useAccountProxy';\nimport { useNetwork, useProvider, useSigner } from '@snx-v3/useBlockchain';\nimport { useCollateralPriceUpdates } from '@snx-v3/useCollateralPriceUpdates';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useContractErrorParser } from '@snx-v3/useContractErrorParser';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport { usePositionManagerForCollateral } from '@snx-v3/usePositionManagerForCollateral';\nimport { useWithdrawTimer } from '@snx-v3/useWithdrawTimer';\nimport { withERC7412 } from '@snx-v3/withERC7412';\nimport { wei } from '@synthetixio/wei';\nimport { useMutation, useQueryClient } from '@tanstack/react-query';\nimport debug from 'debug';\nimport { ethers } from 'ethers';\nimport React, { useReducer } from 'react';\nimport { WithdrawModalAndromeda } from './WithdrawModalAndromeda';\n\nconst log = debug('snx:WithdrawAndromeda');\n\nexport function WithdrawAndromeda() {\n const [params] = useParams();\n const { setWithdrawAmount } = React.useContext(ManagePositionContext);\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n\n const { data: liquidityPosition, isPending: isPendingLiquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: accountCollateralUnlockDate, isLoading: isLoadingDate } =\n useAccountCollateralUnlockDate({ accountId: params.accountId });\n\n const symbol = 'USDC';\n const { minutes, hours, isRunning } = useWithdrawTimer(params.accountId);\n const unlockDate = !isLoadingDate ? accountCollateralUnlockDate : null;\n\n const maxWithdrawable = React.useMemo(() => {\n if (liquidityPosition) {\n return liquidityPosition.availableCollateral\n .mul(liquidityPosition.collateralPrice)\n .add(liquidityPosition.availableSystemToken);\n }\n }, [liquidityPosition]);\n\n React.useEffect(() => {\n if (maxWithdrawable && maxWithdrawable.gt(0)) {\n setWithdrawAmount(maxWithdrawable.abs());\n }\n }, [maxWithdrawable, setWithdrawAmount]);\n\n const [txnState, dispatch] = useReducer(reducer, initialState);\n const { data: priceUpdateTx } = useCollateralPriceUpdates();\n const { network } = useNetwork();\n const signer = useSigner();\n const provider = useProvider();\n\n const { data: AccountProxy } = useAccountProxy();\n const { data: PositionManager } = usePositionManagerForCollateral({ collateralType });\n\n const isReady =\n signer &&\n network &&\n provider &&\n AccountProxy &&\n PositionManager &&\n // Make it Boolean\n true;\n\n const queryClient = useQueryClient();\n const withdraw = useMutation({\n mutationFn: async function () {\n log('params', params);\n log('collateralType', collateralType);\n\n if (!isReady) {\n throw new Error('Not ready');\n }\n\n dispatch({ type: 'prompting' });\n\n const walletAddress = await signer.getAddress();\n\n const callsPromises = [];\n\n if (params.accountId) {\n const AccountProxyContract = new ethers.Contract(\n AccountProxy.address,\n AccountProxy.abi,\n signer\n );\n const approveAccountTx = AccountProxyContract.populateTransaction.approve(\n PositionManager.address,\n params.accountId\n );\n callsPromises.push(approveAccountTx);\n }\n\n const PositionManagerContract = new ethers.Contract(\n PositionManager.address,\n PositionManager.abi,\n signer\n );\n\n const withdrawTx = PositionManagerContract.populateTransaction.withdraw(params.accountId);\n callsPromises.push(withdrawTx);\n\n const calls = await Promise.all(callsPromises);\n if (priceUpdateTx) {\n calls.unshift(priceUpdateTx as any);\n }\n\n const { multicallTxn: erc7412Tx, gasLimit } = await withERC7412(\n provider,\n network,\n calls,\n 'useDepositAndromeda',\n walletAddress\n );\n\n const txn = await signer.sendTransaction({\n ...erc7412Tx,\n gasLimit: gasLimit.mul(15).div(10),\n });\n log('txn', txn);\n dispatch({ type: 'pending', payload: { txnHash: txn.hash } });\n\n const receipt = await provider.waitForTransaction(txn.hash);\n log('receipt', receipt);\n return receipt;\n },\n\n onSuccess: async () => {\n const deployment = `${network?.id}-${network?.preset}`;\n await Promise.all(\n [\n //\n 'Accounts',\n 'PriceUpdates',\n 'LiquidityPosition',\n 'LiquidityPositions',\n 'TokenBalance',\n 'SynthBalances',\n 'EthBalance',\n 'Allowance',\n ].map((key) => queryClient.invalidateQueries({ queryKey: [deployment, key] }))\n );\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Your locked collateral amount has been updated.',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n\n dispatch({ type: 'success' });\n },\n\n onError: (error) => {\n dispatch({ type: 'error', payload: { error } });\n\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Transaction failed',\n variant: 'left-accent',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n duration: 3_600_000,\n });\n throw Error('Transaction failed', { cause: error });\n },\n });\n\n const toast = useToast({ isClosable: true, duration: 9000 });\n const errorParser = useContractErrorParser();\n const onSubmit = React.useCallback(\n async (e: React.FormEvent) => {\n e.preventDefault();\n\n try {\n toast.closeAll();\n toast({ title: 'Withdrawing...', variant: 'left-accent' });\n\n await withdraw.mutateAsync();\n setWithdrawAmount(ZEROWEI);\n\n toast.closeAll();\n toast({\n title: 'Success',\n description: 'Withdrawal was successful',\n status: 'success',\n duration: 5000,\n variant: 'left-accent',\n });\n } catch (error: any) {\n const contractError = errorParser(error);\n if (contractError) {\n console.error(new Error(contractError.name), contractError);\n }\n toast.closeAll();\n toast({\n title: 'Could not complete withdrawing',\n description: contractError ? (\n \n ) : (\n 'Please try again.'\n ),\n status: 'error',\n variant: 'left-accent',\n duration: 3_600_000,\n });\n }\n },\n [errorParser, setWithdrawAmount, toast, withdraw]\n );\n\n return (\n \n \n \n Withdraw Collateral\n \n \n \n \n \n \n {symbol}\n \n \n \n {isPendingLiquidityPosition ? 'Unlocked: ~' : null}\n {maxWithdrawable ? (\n \n ) : null}\n \n \n \n \n \n {isPendingLiquidityPosition ? '~' : null}\n {!isPendingLiquidityPosition && maxWithdrawable ? (\n \n ) : null}\n \n \n \n\n \n \n \n \n You will be able to withdraw assets in {hours}H{minutes}M. Any account activity will\n reset this timer to 24H.\n \n \n \n\n \n \n \n \n \n \n\n {\n window?._paq?.push([\n 'trackEvent',\n 'liquidity',\n 'v3_staking',\n `submit_withdraw_${collateralType?.symbol?.toLowerCase()}_v3`,\n ]);\n }}\n >\n Withdraw\n \n \n );\n}\n","import { Box, Flex, Link, Tab, TabList, TabPanel, TabPanels, Tabs, Text } from '@chakra-ui/react';\nimport { Borrow } from '@snx-v3/Borrow';\nimport { Claim } from '@snx-v3/Claim';\nimport { ClaimModal } from '@snx-v3/ClaimModal';\nimport { Deposit } from '@snx-v3/Deposit';\nimport { DepositModal } from '@snx-v3/DepositModal';\nimport { DepositModalAndromeda } from '@snx-v3/DepositModalAndromeda';\nimport { ManagePositionContext } from '@snx-v3/ManagePositionContext';\nimport { Repay, RepayAndromedaDebt } from '@snx-v3/Repay';\nimport { RepayModal } from '@snx-v3/RepayModal';\nimport { Undelegate } from '@snx-v3/Undelegate';\nimport { UndelegateModal } from '@snx-v3/UndelegateModal';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport {\n makeSearch,\n ManageActionSchema,\n ManageActionType,\n type PositionPageSchemaType,\n useParams,\n} from '@snx-v3/useParams';\nimport { validatePosition } from '@snx-v3/validatePosition';\nimport { Withdraw, WithdrawAndromeda } from '@snx-v3/Withdraw';\nimport { wei } from '@synthetixio/wei';\nimport React, { FormEvent, useCallback } from 'react';\nimport { COLLATERALACTIONS, DEBTACTIONS } from './actions';\n\nexport const ManageAction = ({\n setTxnModalOpen,\n txnModalOpen,\n}: {\n setTxnModalOpen: (action?: ManageActionType) => void;\n txnModalOpen?: ManageActionType;\n}) => {\n const [params, setParams] = useParams();\n const { network } = useNetwork();\n\n const { debtChange, collateralChange, setCollateralChange, setDebtChange } =\n React.useContext(ManagePositionContext);\n\n const { data: collateralType } = useCollateralType(params.collateralSymbol);\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { isValid } = validatePosition({\n issuanceRatioD18: collateralType?.issuanceRatioD18,\n collateralAmount: liquidityPosition?.collateralAmount,\n collateralPrice: liquidityPosition?.collateralPrice,\n debt: liquidityPosition?.debt,\n collateralChange,\n debtChange,\n });\n\n const manageActionParam = ManageActionSchema.safeParse(params.manageAction);\n const manageAction = manageActionParam.success ? manageActionParam.data : undefined;\n const debtActions = DEBTACTIONS(network?.preset === 'andromeda');\n const tab = debtActions.some((action) => action.link === manageAction) ? 'debt' : 'collateral';\n\n const onSubmit = useCallback(\n (e: FormEvent) => {\n e.preventDefault();\n const form = e.target as HTMLFormElement;\n if ((network?.preset === 'andromeda' || isValid) && form.reportValidity()) {\n setTxnModalOpen(manageAction);\n }\n },\n [isValid, manageAction, network?.preset, setTxnModalOpen]\n );\n\n return (\n <>\n {!txnModalOpen ? (\n \n \n \n {\n e.preventDefault();\n if (tab !== 'collateral') {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n }\n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: COLLATERALACTIONS[0].link,\n accountId: params.accountId,\n });\n }}\n color={tab === 'collateral' ? 'white' : 'gray.500'}\n fontWeight={700}\n fontSize={['12px', '16px']}\n whiteSpace=\"nowrap\"\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n >\n Manage Collateral\n \n {\n e.preventDefault();\n if (tab !== 'debt') {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n }\n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: debtActions[0].link,\n accountId: params.accountId,\n });\n }}\n color={tab === 'debt' ? 'white' : 'gray.500'}\n fontWeight={700}\n fontSize={['12px', '16px']}\n whiteSpace=\"nowrap\"\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n >\n {network?.preset === 'andromeda' ? 'Manage PnL' : 'Manage Debt'}\n \n \n\n \n \n \n {COLLATERALACTIONS.map((action) => (\n {\n e.preventDefault();\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: action.link,\n accountId: params.accountId,\n });\n }}\n h=\"84px\"\n minH={['90px', '84px']}\n justifyContent=\"center\"\n key={action.title.concat('-tab-actions')}\n border=\"1px solid\"\n flexDir=\"column\"\n alignItems=\"center\"\n borderColor={manageAction === action.link ? 'cyan.500' : 'gray.900'}\n rounded=\"base\"\n flex=\"1\"\n minWidth={['100%', 'auto']}\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n >\n {action.icon(manageAction === action.link ? 'cyan' : 'white')}\n \n {action.title}\n \n \n ))}\n \n \n \n \n {debtActions.map((action) => (\n {\n e.preventDefault();\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: action.link,\n accountId: params.accountId,\n });\n }}\n flex=\"1\"\n h=\"84px\"\n minH={['90px', '84px']}\n justifyContent=\"center\"\n key={action.title.concat('-tab-actions')}\n border=\"1px solid\"\n flexDir=\"column\"\n alignItems=\"center\"\n borderColor={manageAction === action.link ? 'cyan.500' : 'gray.900'}\n rounded=\"base\"\n cursor=\"pointer\"\n minWidth={['100%', 'auto']}\n textDecoration=\"none\"\n _hover={{ textDecoration: 'none' }}\n >\n {action.icon(manageAction === action.link ? 'cyan' : 'white')}\n \n {action.title}\n \n \n ))}\n \n \n \n \n\n {manageAction === 'repay' && network?.preset !== 'andromeda' ? (\n // These components do not set txnModalOpen\n \n \n \n ) : manageAction === 'claim' && network?.preset !== 'andromeda' ? (\n \n \n \n ) : manageAction === 'withdraw' && network?.preset === 'andromeda' ? (\n \n \n \n ) : manageAction === 'withdraw' && network?.preset !== 'andromeda' ? (\n \n \n \n ) : manageAction === 'withdraw-debt' && network?.preset !== 'andromeda' ? (\n \n \n \n ) : (\n \n {manageAction === 'claim' ? : null}\n {manageAction === 'deposit' ? : null}\n {manageAction === 'repay' && network?.preset === 'andromeda' ? (\n \n ) : null}\n {manageAction === 'repay' && network?.preset !== 'andromeda' ? : null}\n {manageAction === 'undelegate' ? : null}\n \n )}\n \n ) : null}\n\n {txnModalOpen === 'repay' && network?.preset === 'andromeda' ? (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setTxnModalOpen(undefined);\n }}\n />\n ) : null}\n {txnModalOpen === 'claim' ? (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setTxnModalOpen(undefined);\n }}\n />\n ) : null}\n {txnModalOpen === 'deposit' && network?.preset !== 'andromeda' ? (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setTxnModalOpen(undefined);\n }}\n />\n ) : null}\n {txnModalOpen === 'deposit' && network?.preset === 'andromeda' ? (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setTxnModalOpen(undefined);\n }}\n />\n ) : null}\n {txnModalOpen === 'undelegate' ? (\n {\n setCollateralChange(wei(0));\n setDebtChange(wei(0));\n setTxnModalOpen(undefined);\n }}\n />\n ) : null}\n >\n );\n};\n","import { InfoIcon } from '@chakra-ui/icons';\nimport { Box, Flex, Text } from '@chakra-ui/react';\nimport { BorderBox } from '@snx-v3/BorderBox';\nimport { ClosePosition } from '@snx-v3/ClosePosition';\nimport { UnsupportedCollateralAlert } from '@snx-v3/CollateralAlert';\nimport { ManageStats, PositionTitle, StataDepositBanner } from '@snx-v3/Manage';\nimport { ManageAction } from '@snx-v3/ManageAction';\nimport { ManagePositionProvider } from '@snx-v3/ManagePositionContext';\nimport { LockedCollateral } from '@snx-v3/Positions';\nimport { Tooltip } from '@snx-v3/Tooltip';\nimport { useApr } from '@snx-v3/useApr';\nimport { useStataUSDCApr } from '@snx-v3/useApr/useStataUSDCApr';\nimport { useNetwork } from '@snx-v3/useBlockchain';\nimport { useCollateralType } from '@snx-v3/useCollateralTypes';\nimport { useIsAndromedaStataUSDC } from '@snx-v3/useIsAndromedaStataUSDC';\nimport { useLiquidityPosition } from '@snx-v3/useLiquidityPosition';\nimport { type ManageActionType, type PositionPageSchemaType, useParams } from '@snx-v3/useParams';\nimport React from 'react';\nimport { Helmet } from 'react-helmet';\n\nexport const ManagePage = () => {\n const [params, setParams] = useParams();\n const { network } = useNetwork();\n\n const { data: collateralType, isPending: isPendingCollateralType } = useCollateralType(\n params.collateralSymbol\n );\n const { data: liquidityPosition } = useLiquidityPosition({\n accountId: params.accountId,\n collateralType,\n });\n\n const { data: stataUSDCApr } = useStataUSDCApr(network?.id, network?.preset);\n\n const isAndromedaStataUSDC = useIsAndromedaStataUSDC({\n tokenAddress: collateralType?.tokenAddress,\n customNetwork: network,\n });\n\n const [txnModalOpen, setTxnModalOpen] = React.useState(undefined);\n\n const { data: apr, isPending: isPendingApr } = useApr(network);\n const positionApr = React.useMemo(\n () =>\n apr?.find(\n (item) => item.collateralType.toLowerCase() === collateralType?.tokenAddress.toLowerCase()\n ),\n [apr, collateralType?.tokenAddress]\n );\n\n return (\n \n \n \n {`Synthetix ${collateralType?.displaySymbol ?? params.collateralSymbol} Position`}\n \n \n \n \n \n \n \n \n \n Performance APR is calculated based on the last 28 days rolling average. \n Rewards APR is calculated based on the last 1 hour of any active incentive\n program.\n {isAndromedaStataUSDC && (\n <>\n \n Aave APR is the latest Aave lending rate.\n >\n )}\n \n }\n >\n \n Estimated APR\n \n \n \n \n {isPendingApr\n ? '~'\n : positionApr\n ? (\n positionApr.apr28dPerformance * 100 +\n (isAndromedaStataUSDC && stataUSDCApr ? stataUSDCApr : 0) +\n positionApr.apr24hIncentiveRewards * 100\n )\n .toFixed(2)\n .concat('%')\n : '-'}\n \n \n \n \n \n \n \n \n {isAndromedaStataUSDC &&\n liquidityPosition &&\n liquidityPosition.collateralAmount.eq(0) && }\n \n \n {params.manageAction === 'close' ? (\n \n \n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: 'deposit',\n accountId: params.accountId,\n })\n }\n />\n \n ) : null}\n\n {params.manageAction === 'locked' ? (\n \n \n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: 'deposit',\n accountId: params.accountId,\n })\n }\n />\n \n ) : null}\n\n {!['close', 'locked'].includes(params.manageAction) ? (\n <>\n \n \n \n\n {!txnModalOpen && liquidityPosition?.collateralAmount.gt(0) ? (\n \n setParams({\n page: 'position',\n collateralSymbol: params.collateralSymbol,\n manageAction: 'close',\n accountId: params.accountId,\n })\n }\n color=\"cyan.500\"\n fontWeight={700}\n mt=\"5\"\n data-cy=\"close position\"\n >\n Close Position\n \n ) : null}\n >\n ) : null}\n \n \n \n \n );\n};\n","import { Box, Container, Flex, Spinner } from '@chakra-ui/react';\nimport { useParams } from '@snx-v3/useParams';\nimport { Suspense } from 'react';\nimport { AccountSettingsPage } from './AccountSettingsPage';\nimport { DashboardPage } from './DashboardPage';\nimport { Footer } from './Footer';\nimport Header from './Header';\nimport { ManagePage } from './ManagePage';\n\nfunction Content() {\n const [params] = useParams();\n if (params.page === 'settings') {\n return ;\n }\n if (params.page === 'position') {\n return ;\n }\n return ;\n}\n\nexport function Router() {\n return (\n }>\n \n \n \n \n \n \n \n \n \n \n );\n}\n","import { ComponentMultiStyleConfig } from '@chakra-ui/react';\n\nexport const Progress: ComponentMultiStyleConfig = {\n parts: ['filledTrack', 'track'],\n baseStyle: {\n track: {\n overflow: 'unset',\n bg: 'whiteAlpha.100',\n },\n },\n variants: {\n error: (props) => ({\n filledTrack: {\n bg: 'error',\n boxShadow: `0px 0px 15px ${props.theme.colors.error}`,\n },\n }),\n warning: (props) => ({\n filledTrack: {\n bg: 'warning',\n boxShadow: `0px 0px 15px ${props.theme.colors.warning}`,\n },\n }),\n success: (props) => ({\n filledTrack: {\n bg: 'success',\n boxShadow: `0px 0px 15px ${props.theme.colors.success}`,\n },\n }),\n 'update-error': () => ({\n filledTrack: {\n bg: 'red.700',\n },\n }),\n 'update-warning': () => ({\n filledTrack: {\n bg: 'orange.700',\n },\n }),\n 'update-success': () => ({\n filledTrack: {\n bg: 'green.700',\n },\n }),\n white: {\n filledTrack: {\n bg: 'white',\n borderRadius: 'full',\n },\n },\n },\n};\n","import { ChakraProvider, extendTheme, useColorMode } from '@chakra-ui/react';\nimport { DEFAULT_QUERY_STALE_TIME, SESSION_STORAGE_KEYS } from '@snx-v3/constants';\nimport { TermsModal } from '@snx-v3/TermsModal';\nimport { Fonts, theme } from '@snx-v3/theme';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { ReactQueryDevtools } from '@tanstack/react-query-devtools';\nimport { Web3OnboardProvider } from '@web3-onboard/react';\nimport { useEffect } from 'react';\nimport Head from 'react-helmet';\nimport { BrowserRouter } from 'react-router-dom';\nimport { onboard } from './onboard';\nimport { Router } from './Router';\nimport { Progress } from './theme';\n\nconst queryClient = new QueryClient({\n defaultOptions: {\n queries: {\n retry: false,\n refetchInterval: false, // if queries needs refetching we should be explicit about it, given erc7412\n staleTime: DEFAULT_QUERY_STALE_TIME,\n refetchOnWindowFocus: false,\n throwOnError: (e) => {\n console.error(e);\n return false;\n },\n },\n mutations: {\n retry: false,\n throwOnError: (e) => {\n console.error(e);\n return false;\n },\n },\n },\n});\n\nconst extendedTheme = extendTheme({\n ...theme,\n components: {\n ...theme.components,\n Progress,\n },\n});\n\nfunction ColorMode() {\n const { colorMode, toggleColorMode } = useColorMode();\n\n useEffect(() => {\n if (colorMode === 'light') {\n toggleColorMode();\n }\n }, [colorMode, toggleColorMode]);\n return null;\n}\n\nexport const App = () => {\n const TERMS_CONDITIONS_ACCEPTED =\n localStorage.getItem(SESSION_STORAGE_KEYS.TERMS_CONDITIONS_ACCEPTED) === 'true';\n\n return (\n <>\n \n {/* open graph */}\n \n \n \n \n \n \n \n {/* twitter */}\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n >\n );\n};\n","import ReactDOM from 'react-dom/client';\nimport { devtoolsFormatters } from '@synthetixio/devtools-formatters';\nimport { magicWallet } from '@synthetixio/magic-wallet';\nimport { App } from './App';\n\nconst container = document.querySelector('#app');\n\ndeclare global {\n var $magicWallet: `0x${string}`; // eslint-disable-line no-var\n var $chainId: number; // eslint-disable-line no-var\n var ethereum: any; // eslint-disable-line no-var\n var _paq: any; // eslint-disable-line no-var\n}\n\nexport async function bootstrap() {\n if (!container) {\n throw new Error('Container #app does not exist');\n }\n if (window.localStorage.DEBUG === 'true') {\n await devtoolsFormatters();\n }\n if (window.localStorage.MAGIC_WALLET && `${window.localStorage.MAGIC_WALLET}`.length === 42) {\n await magicWallet(window.localStorage.MAGIC_WALLET);\n }\n const root = ReactDOM.createRoot(container);\n root.render( );\n}\n","/* global window */\n\nasync function devtoolsFormatters() {\n const { Wei } = await import('@synthetixio/wei');\n const { ethers } = await import('ethers');\n\n function number(obj) {\n if (obj.eq(ethers.constants.MaxUint256)) {\n return 'MaxUint256';\n }\n if (obj.eq(ethers.constants.MaxInt256)) {\n return 'MaxInt256';\n }\n if (obj.abs().gt(1e10)) {\n // Assuming everything bigger than 1e10 is a wei\n return `wei ${parseFloat(ethers.utils.formatEther(`${obj}`))}`;\n }\n return parseFloat(obj.toString());\n }\n // @ts-ignore\n window.devtoolsFormatters = window.devtoolsFormatters ?? [];\n // @ts-ignore\n window.devtoolsFormatters.push({\n header: function (obj) {\n if (obj instanceof ethers.BigNumber) {\n return [\n 'div',\n { style: 'color: #6ff' },\n ['span', {}, 'BigNumber('],\n ['span', { style: 'color: #ff3' }, number(obj)],\n ['span', {}, ' '],\n ['span', { style: 'color: #3f3' }, obj.toHexString()],\n ['span', {}, ')'],\n ];\n }\n if (obj instanceof Wei) {\n return [\n 'div',\n { style: 'color: #6ff' },\n ['span', {}, 'Wei('],\n ['span', { style: 'color: #ff3' }, number(ethers.BigNumber.from(obj.toBN()))],\n ['span', {}, ' '],\n ['span', { style: 'color: #3f3' }, obj.toBN().toHexString()],\n ['span', {}, ')'],\n ];\n }\n return null;\n },\n hasBody: function () {\n return false;\n },\n });\n}\n\nmodule.exports = {\n devtoolsFormatters,\n};\n","/* global window */\n\nasync function magicWallet(magicWallet) {\n const { ethers } = await import('ethers');\n window.$magicWallet = magicWallet;\n if (ethers.utils.isAddress(window.$magicWallet)) {\n const rpcProvider = new ethers.providers.JsonRpcProvider('http://127.0.0.1:8545');\n const network = await rpcProvider.getNetwork();\n window.$chainId = network.chainId;\n\n const { getMagicProvider } = await import('@snx-v3/useBlockchain');\n const magicProvider = getMagicProvider();\n window.ethereum = magicProvider\n ? new Proxy(magicProvider, {\n get(target, prop) {\n // console.log('MAGIC_WALLET', prop, { target: target[prop] });\n switch (prop) {\n case 'chainId':\n return `0x${Number(window.$chainId).toString(16)}`;\n case 'isMetaMask':\n return true;\n case 'getSigner':\n return () => {\n return magicProvider.getSigner(window.$magicWallet);\n };\n case 'request':\n return async ({ method, params }) => {\n switch (method) {\n case 'eth_accounts':\n case 'eth_requestAccounts':\n return [window.$magicWallet];\n case 'eth_chainId':\n return `0x${Number(window.$chainId).toString(16)}`;\n case 'eth_sendTransaction':\n default: {\n try {\n const result = await magicProvider.send(method, params);\n console.log('MAGIC_WALLET', { method, params, result }); // eslint-disable-line no-console\n return result;\n } catch (error) {\n console.log('MAGIC_WALLET', { method, params, error }); // eslint-disable-line no-console\n throw error;\n }\n }\n }\n };\n default:\n return target[prop];\n }\n },\n })\n : undefined;\n }\n}\n\nmodule.exports = {\n magicWallet,\n};\n"],"names":["ZEROWEI","Wei","D6","ethers","D18","D27","DEFAULT_QUERY_STALE_TIME","INFURA_KEY","getSubgraphUrl","networkName","getAprUrl","networkId","getClaimedRewardsURL","getIssuedDebtUrl","SESSION_STORAGE_KEYS","TERMS_CONDITIONS_ACCEPTED","offchainMainnetEndpoint","offchainTestnetEndpoint","tokenOverrides","symbol","displaySymbol","name","POOL_ID","async","importPythERC7412Wrapper","chainId","preset","Error","deployment","Number","toFixed","default","meta","abi","Promise","all","address","contracts","PythERC7412Wrapper","Logo","color","width","height","withText","_jsxs","Icon","viewBox","fill","children","_jsx","d","EthereumIcon","props","fillOpacity","FailedIcon","w","h","filter","fillRule","clipRule","id","x","y","filterUnits","colorInterpolationFilters","floodOpacity","result","in","type","values","stdDeviation","mode","in2","OptimismIcon","WalletIcon","LogoIcon","BaseIcon","Image","src","icon","alt","ArbitrumIcon","cx","cy","r","DiscordIcon","XIcon","clipPath","transform","GithubIcon","WarpcastIcon","YoutubeIcon","Sparkles","SNXChainIcon","MagicProvider","constructor","window","$chainId","$magicWallet","super","Object","defineProperty","this","enumerable","value","writable","magicWallet","method","params","toString","send","console","log","error","getMagicProvider","NetworkIcon","size","BASE_ANDROMEDA","hexId","token","rpcUrl","label","isSupported","publicRpcUrl","isTestnet","MAINNET","OPTIMISM","SEPOLIA","BASE_SEPOLIA","CANNON","OPTIMISM_SEPOLIA","ARBITRUM_SEPOLIA","ARBITRUM","SNAX","SNAXTESTNET","NETWORKS","deploymentHasERC7412","then","find","network","localStorage","getItem","appMetadata","SynthetixIcon","logo","description","recommendedInjectedWallets","url","gettingStartedGuide","explore","useProviderForChain","customNetwork","currentNetwork","useNetwork","isDefaultChain","data","provider","useQuery","queryKey","enabled","Boolean","queryFn","useWallet","wallet","connect","disconnect","useConnectWallet","activeWallet","undefined","walletsInfo","accounts","connectedChain","setChain","useSetChain","setNetwork","useCallback","newNetwork","n","useSigner","signer","getSigner","useProvider","gradients","grey","dark","orange","Button","defaultProps","colorScheme","variants","solid","defineStyle","c","bg","borderRadius","_hover","_disabled","_active","bgGradient","background","hoverBg","activeBg","outline","borderColor","border","ghost","theme","extendTheme","useSystemColorMode","initialColorMode","colors","gray","red","yellow","green","blue","cyan","purple","pink","navy","success","warning","shadows","fonts","heading","body","display","mono","components","Popover","responsive","popper","maxWidth","Input","focusBorderColor","errorBorderColor","Select","iconColor","NumberInput","Alert","variant","container","borderInlineStartColor","Textarea","Skeleton","startColor","endColor","Checkbox","baseStyle","control","_checked","_invalid","Radio","Badge","subtle","alignItems","boxShadow","Tag","Accordion","borderWidth","Progress","filledTrack","track","Tabs","tab","_selected","Tooltip","textAlign","Switch","Spinner","Menu","parts","button","span","px","list","mt","bgColor","padding","py","item","p","_first","borderTopLeftRadius","borderTopRightRadius","_last","borderBottomLeftRadius","borderBottomRightRadius","_focus","textStyles","fontSize","base","lg","fontFamily","lineHeight","fontWeight","md","sizes","max","min","full","xs","sm","xl","styles","global","Fonts","Global","TermsModal","defaultOpen","isOpen","setOpen","useState","setEnabled","Modal","onClose","ModalOverlay","ModalContent","pt","pb","ModalHeader","ModalBody","Text","Box","onScroll","e","div","currentTarget","scrollTop","scrollHeight","offsetHeight","as","my","overflow","overflowX","sx","backgroundColor","UnorderedList","ListItem","Link","href","target","_focusVisible","ReactRouterLink","to","mx","onClick","onSubmit","setItem","JSON","stringify","isDisabled","chains","reduce","assign","onboard","init","autoConnectLastWallet","autoConnectAllPreviousWallet","wallets","injectedModule","coinbaseModule","displayUnavailable","ProviderLabel","MetaMask","Trust","trezorModule","appUrl","email","ledgerModule","projectId","walletConnectVersion","walletConnectModule","version","dappUrl","gnosisModule","accountCenter","desktop","mobile","notify","HomePageSchema","z","object","page","literal","optional","accountId","string","showAll","SettingsPageSchema","ManageActionSchema","union","PositionPageSchema","collateralSymbol","manageAction","makeParams","newParams","createSearchParams","cleaned","entries","fromEntries","cleanObject","sort","a","b","localeCompare","makeSearch","useParams","searchParams","setSearchParams","useSearchParams","React","Array","from","schema","parsed","safeParse","searchParamsToObject","parseUnits","decimals","wei","toBN","prettyString","text","startLength","endLength","length","substring","renderAccountId","hex","toHexString","slice","currency","eq","abs","lt","number","toNumber","m2","numbro","format","thousandSeparated","mantissa","m0","parseFloat","importAccountProxy","AccountProxy","useAccountProxy","targetNetwork","staleTime","Infinity","throwOnError","debug","TransferOwnershipModal","refetch","owner","setTo","isPending","mutateAsync","submit","walletAddress","useMutation","mutationFn","AccountProxyContract","txn","transferFrom","receipt","waitForTransaction","hash","useTransferAccountId","isTargetValid","useMemo","toLowerCase","rounded","ModalCloseButton","Divider","disabled","onChange","trim","ModalFooter","flexDirection","gap","justifyContent","status","AlertIcon","Flex","direction","AlertDescription","etherscanLink","chain","isTx","transactionLink","txnHash","Address","link","CopyIcon","navigator","clipboard","writeText","cursor","rel","ExternalLinkIcon","importCoreProxy","CoreProxy","useCoreProxy","importTrustedMulticallForwarder","TrustedMulticallForwarder","useTrustedMulticallForwarder","useManagePermissions","existing","selected","Multicall3","grants","revokes","getPermissionDiff","concat","forEach","permission","includes","CoreProxyInterface","grantCalls","map","callData","encodeFunctionData","allowFailure","requireSuccess","revokeCalls","Multicall3Contract","aggregate3","permissionsList","contractsHash","Contracts","some","Contract","join","split","charCodeAt","useAccountPermissions","CoreProxyContract","getAccountPermissions","acc","user","permissions","useAccountOwner","ownerOf","PermissionsInfo","_Fragment","InfoIcon","ml","PermissionModal","existingPermissions","setAddress","selectedPermissions","setSelectedPermissions","permissionData","accountOwner","useEffect","isAddressValid","utils","isFormValid","flexDir","isInvalid","isActive","state","s","textTransform","PermissionRow","currentPermissions","isOwner","isPermissionOpen","onPermissionClose","onOpen","onPermissionOpen","useDisclosure","mutate","removePermissions","isSuccess","Tr","Td","borderBottomColor","flexWrap","IconButton","EditIcon","mr","isLoading","DeleteIcon","PermissionTableLoading","rows","_","i","row","borderBottomWidth","PermissionTable","refetchAccounts","isTransferOpen","onTransferClose","onTransferOpen","loadingOwner","refetchAccountOwner","TableContainer","flexGrow","borderCollapse","borderSpacing","mb","Heading","Table","Thead","Th","Tbody","isLoaded","keys","DelegationIcon","xmlns","useAccounts","numberOfAccountTokens","balanceOf","accountIndexes","calls","index","interface","multicallResponse","callStatic","returnData","tokenOfOwnerByIndex","decodeFunctionResult","Permissions","AccountSettingsPage","Helmet","content","PoolCardsLoading","flex","formatNumberToUsd","options","Intl","NumberFormat","style","formatNumber","minimumFractionDigits","maximumFractionDigits","TokenIcon","toUpperCase","fallbackSrc","SynthIcon","ChakraTooltip","hasArrow","supportedAprNetworks","useApr","response","fetch","json","fetchApr","isBaseAndromeda","USDC_BASE_MARKET","STATA_BASE_MARKET","useStataUSDCApr","subgraphResponse","headers","query","stataStats","reserves","reserve","underlyingAsset","calculateCompoundedRate","rate","liquidityRate","duration","toPrecision","useSynthTokens","synthTokens","importSynthTokens","useIsAndromedaStataUSDC","tokenAddress","addr","synthToken","useStaticAaveUSDC","CollateralToken_stataBasUSDC","CollateralToken_stataUSDC","importStaticAaveUSDC","useStaticAaveUSDCRate","StaticAaveUSDC","StaticAaveUSDCContract","tokenAbi","useTokenBalance","accountAddress","TokenContract","balance","select","refetchInterval","useUSDC","importUSDC","PoolRow","pool","_pool","collateralType","collateralPrices","setParams","wrapperToken","synth","stataUSDCApr","balanceAddress","stataUSDCRate","tokenBalance","USDCToken","usdcBalance","isAndromedaStataUSDC","add","price","apr","isPendingApr","positionApr","preventDefault","buttonText","order","collateralDeposited","mul","Fade","textDecoration","position","right","bottom","apr28dPerformance","apr24hIncentiveRewards","minW","whiteSpace","filterDeprecated","feedId","importPythFeeds","pythFeeds","importPythVerifier","supportedNetworks","networksOffline","PoolsListData","usePoolsList","urls","res","poolInfo","vaults","fetchPoolsList","priceService","EvmPriceServiceConnection","getAllPriceIdsEntries","extras","Set","key","String","startsWith","endsWith","getPythFeedIdsFromCollateralList","collateralList","priceIds","importExtras","flat","deduped","priceId","replace","collateral","useOfflinePrices","collaterals","stables","filteredCollaterals","collateralsWithPriceId","prices","getLatestPriceFeeds","col","getPriceUnchecked","push","expo","useCollateralPriceUpdates","multicallAddress","multiCallAbi","multicallInterface","pythInterface","pythFeedIds","getPythFeedIds","txs","getPricesTx","call","decodedMultiCall","outdatedPriceIds","priceUpdateTx","unique","signedOffchainData","getPriceFeedsUpdateData","PythVerfier","getPriceUpdates","catch","useSNX","CollateralToken_SNX","importSNX","useSystemToken","systemToken","importSystemToken","loadCollateralTypes","collateralTokens","importCollateralTokens","config","depositingEnabled","issuanceRatioD18","liquidationRatioD18","liquidationRewardD18","minDelegationD18","oracleNodeId","oracle","constPrice","externalContract","stalenessTolerance","pythFeedId","useCollateralTypes","includeDelegationOff","MainnetSNX","OptimismSNX","useCollateralType","networkOverride","collateralTypes","importSpotMarketProxy","SpotMarketProxy","importUSDProxy","USDProxy","importPositionManager","importClosePosition","importPositionManagerAndromedaUSDC","importPositionManagerAndromedaStataUSDC","ERC721_ERRORS","PYTH_ERRORS","PANIC_REASONS","extractErrorData","cause","combineErrors","abiErrors","contract","line","parseErrorData","errorData","reason","decode","signature","args","code","errorParsed","uniqueAbiErrors","errorLine","fragment","sighash","has","dedupeErrors","parseError","errorArgs","parseInt","unwei","Date","getTime","notNil","fetchOffchainData","getDefaultFromAddress","chainName","logMulticall","AllInterface","readableAbi","minimal","dedupedFunctions","flatMap","rest","parseTransaction","$","unnamedArgs","getMulticallTransaction","Multicall3Interface","multicallTxn","totalValue","gasLimit","estimateGas","_calls","withERC7412","transaction","newError","missingPriceUpdates","missingPriceUpdatesUnique","extraPriceUpdateTxn","erc7412Call","newCalls","erc7412Tx","decodedMulticall","PythVerifier","decodedMulticallWithoutPriceUpdates","decoded","fetchOraclePrice","nodeId","OracleManagerProxyContract","OracleManagerProxy","importOracleManagerProxy","processCall","populateTransaction","process","node","timestamp","HeaderText","letterSpacing","PoolsList","poolsList","isPendingPoolsList","baseCollateralTypes","isPendingBaseCollateralTypes","mainnetCollateralTypes","isPendingMainnetCollateralTypes","allCollaterals","isPendingCollateralPrices","oracleId","stata","stataPrice","isStataPriceLoading","useOraclePrice","filteredPools","collateral_type","total_amount_deposited","allCollateralPrices","maxW","PositionsNotConnected","pl","minWidth","PositionTableHeader","Amount","prefix","suffix","testId","isMaxUint","constants","lte","formattedValue","LockedCollateral","locks","isPendingLocks","getLocks","lock","lockExpirationTime","expirationDate","amount","amountD18","useLocks","ArrowBackIcon","borderBottom","intlFormat","year","month","day","getHealthVariant","targetCratio","liquidationCratio","cRatio","ratioIsMaxUInt","ratio","MAX_SAFE_INTEGER","getProgressSize","CRatioAmount","Math","round","badgeColors","CRatioBadge","LineWithText","left","tooltipText","top","margin","CRatioBar","newCRatio","currentCRatio","hasChanges","newBarSize","currentBarSize","TriangleDownIcon","TriangleUpIcon","calculateCRatio","debt","collateralValue","CRatioChangeStat","currentCollateral","currentDebt","collateralChange","debtChange","collateralPrice","gt","getDebtColor","PnlAmount","DebtAmount","useAccountCollateralUnlockDate","lastInteraction","accountTimeoutWithdraw","getAccountLastInteraction","getConfigUint","collateralUnlock","useWithdrawTimer","accountCollateralUnlockDate","isLoadingDate","minutes","hours","seconds","isRunning","restart","useTimer","expiryTimestamp","autoStart","PositionRow","liquidityPosition","collateralAmount","totalLocked","availableCollateral","TimeIcon","apr28d","Collapse","pr","useLiquidityPositions","queryClient","useQueryClient","getAccountAvailableSystemTokenCallPromised","getAccountAvailableCollateral","getPositionCollateralCallsPromised","getPositionCollateral","getPositionDebtCallsPromised","getPositionDebt","getCollateralPriceCallsPromised","getCollateralPrice","getAccountCollateralCallPromised","getAccountCollateral","accountAvailableSystemToken","liquidityPositions","positionCollateral","positionDebt","collateralPriceRaw","totalDepositedBigNumber","totalAssignedBigNumber","totalLockedBigNumber","totalDeposited","totalAssigned","sub","availableSystemToken","setQueryData","PositionsEmpty","SynthSkeleton","SynthCircle","SkeletonCircle","PositionsRowLoading","TableDivider","borderTop","borderTopColor","PositionsList","isPendingLiquidityPositions","filteredLiquidityPositions","CONTRACT_ERROR_OPEN","ContractError","contractError","setIsOpen","fontStyle","animateOpacity","unmountOnExit","val","initialState","modalOpen","txnStatus","reducer","action","payload","useAllErrors","importAllErrors","useClosePosition","usePositionManager","useContractErrorParser","AllErrors","ClosePosition","PositionManager","PositionManagerAndromedaStataUSDC","usePositionManagerAndromedaStataUSDC","PositionManagerAndromedaUSDC","usePositionManagerAndromedaUSDC","parseContractError","useRewardsDistributors","rewardsDistributors","importRewardsDistributors","groupRewardsBySymbol","rewards","Map","claimableAmount","distributor","payoutToken","set","get","useRewards","vaultDistributors","claimMethod","poolDistributors","poolDistributorsPerCollateral","liquidationRewardsDistributors","multicall","availableRewards","info","useSpotMarketProxy","WithdrawIncrease","DepositsIncreaseTimeout","now","AllRewardsModal","cachedRewards","setCachedRewards","groupedRewards","transitionProperty","transitionDuration","CheckIcon","CircularProgress","isIndeterminate","RewardsLoading","RewardsRow","Rewards","isPendingRewards","exec","claimAll","txnState","toast","useToast","isClosable","dispatch","errorParser","mutation","transactions","SpotMarketProxyContract","minAmountReceived","unwrap","synthMarketId","unshift","getAddress","sendTransaction","onError","closeAll","title","onSuccess","invalidateQueries","settle","useClaimAllRewards","backgroundImage","opacity","_paq","StatsBox","StatsTotalLocked","timeout","httpRetries","verbose","priceFeeds","SNX","usePythPrice","time","priceFeed","getPriceFeed","fetchPythPrice","StatsTotalPnl","snxPrice","isPendingSnxPrice","claimedRewards","isPendingClaimedRewards","useClaimedRewards","issuedDebt","isPendingIssuedDebt","issuedDebts","useIssuedDebt","rewardsTokens","reward","rewardsTokenPrices","isPendingRewardsPrices","collateralAddresses","useCollateralPrices","totalRewardsValue","totalDebt","totalClaimedRewards","curr","total_amount_usd","totalIssuedDebt","issuance","StataUSDC","stataBalance","maxRedeem","previewRedeem","isReady","unwrapStaticAaveUSDC","shares","receiver","SynthRow","useSynthBalances","TokenInterface","balances","SynthsLoading","SynthsUnwrapModal","synthBalances","cachedSynths","setCachedSynths","filteredSynths","Synths","isPendingSynthBalances","unwrapAll","useUnwrapAllSynths","DashboardPage","isExternal","columnGap","Footer","Container","mainnets","NetworkController","toolTipLabel","setTooltipLabel","isPendingAccounts","paramsAccountId","notConnected","notSupported","account","autoSelect","disableModals","MenuButton","MenuList","MenuItem","placement","userSelect","ens","closeOnClick","setTimeout","SettingsIcon","stopPropagation","Header","location","useLocation","RouterLink","BorderBox","ManagePositionContext","createContext","withdrawAmount","setDebtChange","setCollateralChange","setWithdrawAmount","ManagePositionProvider","Provider","NUMBER_REGEX","cleanupNumber","float","InputProps","inputValue","setInputValue","onInputChange","_value","isNaN","test","nextValue","_err","ref","useRef","current","setCustomValidity","gte","step","autoFocus","placeholder","_placeholder","maxLength","useLiquidityPosition","getPositionCollateralCallPromised","getPositionDebtCallPromised","getCollateralPriceCallPromised","useTokenPrice","pythCollateralPrices","statusColor","failed","loading","createIcon","path","points","CloseIcon","StepIcon","__css","Step","minHeight","StepCheckbox","Multistep","subtitle","checkboxLabel","checkboxProps","LiquidityPositionUpdated","subline","alertText","summary","ChangeStat","formatFn","newValue","dataCy","isTruncated","ArrowForwardIcon","DebtStats","newDebt","isPendingLiquidityPosition","ZodBigNumber","custom","BigNumber","isBigNumber","SmallIntSchema","WeiSchema","VaultCollateralSchema","PositionTitle","vaultsData","isPendingVaultsData","getVaultCollateral","vaultCollateral","parse","useVaultsData","vaultData","ArrowUpIcon","StataDepositBanner","CoinImage","validatePosition","targetCRatio","newCollateralAmount","maybeMaxDebt","maxDebt","isValid","CollateralStats","alignContent","PnlStats","ManageStats","stataRate","adjustedCollateralChange","ClosePositionOneStep","onBack","refetchLiquidityPosition","txState","setTxState","usePythVerifier","usePythFeeds","execClosePosition","ClosePositionContract","freshLiquidityPosition","adjustedAllowance","approveAccountTx","approve","approveUsdTx","closePositionTx","closePosition","callsPromise","approveAbi","useApprove","contractAddress","spender","allowance","refetchAllowance","useAllowance","sufficientAllowance","amountToApprove","infiniteApproval","gasLimitPromised","populatedTxnPromised","populatedTxn","requireApproval","useBorrow","borrowAmount","useReducer","mintUsd","useDebtRepayer","importDebtRepayer","useRepay","repayAmount","systemTokenBalance","canRepay","PositionManagerContract","repayTx","repay","useUndelegate","undelegateAmount","collateralTypeAddress","delegateCollateral","useUndelegateBaseAndromeda","DebtRepayer","DebtRepayerContract","depositDebtToRepay","delegateTx","ClosePositionTransactions","steps","setSteps","collateralAddress","availableUSDCollateral","isReadyApprove","execRepay","undelegate","USDC","approveUSDC","requireApprovalUSDC","isReadyApproveUSDC","undelegateBaseAndromeda","execBorrow","getSteps","cb","handleSubmit","ClosePositionUi","debtSymbol","isPendingSystemTokenBalance","debtPrice","ClosePositionDeployment","alignSelf","transactionStep","setTransactions","UnsupportedCollateralAlert","COLLATERALACTIONS","BorrowModal","setBorrowAmount","Borrow","isBorrowReady","mutationBorrow","maxClaimble","maxBorrowingCapacity","isRequired","Claim","useContext","ClaimSuccessBanner","SynthetixLogo","ClaimModal","showClaimBanner","setShowClaimBanner","isBorrow","settleBorrow","execBorrowWithErrorParser","TransactionSummary","items","justify","BalanceSchema","useEthBalance","getBalance","Deposit","transferrableSnx","snxCollateral","snxAddress","transferableSynthetix","transferable","useTransferableSynthetix","collateralBalance","ethBalance","isPendingUsdcBalance","maxAmount","overAvailableBalance","Events","State","FailedSteps","ServiceNames","initialContext","wrapAmount","DepositMachine","createMachine","initial","predictableActionArguments","context","on","actions","_context","event","states","cond","invoke","wrap","onDone","approveCollateral","deposit","DepositModal","txSummary","setTxSummary","synthNeeded","collateralNeeded","wrapEth","wethBalance","useWrapEth","ethCollateral","refetchETHBalance","refetchWETHBalance","wrapETHAmount","newAccountId","floor","random","execDeposit","isReadyDeposit","useDeposit","createAccount","amountNeeded","delegate","useMachine","services","message","wrapAmountString","isSuccessOrDeposit","matches","handleClose","txSummaryItems","isProcessing","isWETH","stepNumbers","isChecked","checked","usePositionManagerForCollateral","DepositModalAndromeda","txnStateApproveUSDC","txnStateDeposit","cachedCollateralChange","setCachedCollateralChange","callsPromises","increasePositionTx","increasePosition","setupPositionTx","setupPosition","RepayModal","setRepayAmount","Repay","isReadyRepay","mutationRepay","neg","RepayAndromedaDebt","clearDebt","settleRepay","useClearDebt","approvalLoading","hasEnoughBalance","useRepayBaseAndromeda","usdTokens","getWrapper","wrapCollateralType","snxUSD","sUSD","useGetUSDTokens","debtChangeAbs","amountToDeposit","spotMarketId","getSpotMarketId","Synth_Contract","synth_approval","sell_synth","sell","SystemTokenContract","sUSD_Approval","burn","burnUsd","RepayMachine","execRepayBaseAndromeda","settleRepayBaseAndromeda","needToDeposit","MarketConfigurationSchema","weight","maxDebtShareValue","isLocked","boolean","PoolConfigurationSchema","markets","array","isAnyMarketLocked","UndelegateModal","approvalTxnStatus","setUndelegateAmount","Undelegate","poolConfiguration","usePoolConfiguration","getPoolConfiguration","marketId","maxDebtShareValueD18","weightD18","allCalls","m","isMarketCapacityLocked","market","approveAndromedaUSDCAmount","approvalTxnState","isReadyApproveAndromedaUSDC","isReadyUndelegate","undelegateTxnState","isReadyUndelegateAndromeda","undelegateAndromedaTxnState","undelegateAndromeda","maxWithdrawable","minCollateralRequired","isLoadingRequiredData","leftoverCollateral","isValidLeftover","isInputDisabled","isSubmitDisabled","AlertTitle","UndelegateMachine","execUndelegate","collateralChangeString","WithdrawModal","isDebtWithdrawal","cachedWithdrawAmount","setCachedWithdrawAmount","Withdraw","unlockDate","withdraw","isWithdrawReady","useWithdraw","WithdrawModalAndromeda","WithdrawAndromeda","withdrawTx","ManageAction","setTxnModalOpen","txnModalOpen","manageActionParam","debtActions","isBase","DEBTACTIONS","form","reportValidity","isFitted","TabList","Tab","TabPanels","TabPanel","minH","ManagePage","isPendingCollateralType","Content","Router","Suspense","fallback","QueryClient","defaultOptions","queries","retry","refetchOnWindowFocus","mutations","extendedTheme","update-error","update-warning","update-success","white","ColorMode","colorMode","toggleColorMode","useColorMode","App","Head","property","QueryClientProvider","client","Web3OnboardProvider","web3Onboard","ChakraProvider","BrowserRouter","ReactQueryDevtools","document","querySelector","bootstrap","DEBUG","devtoolsFormatters","MAGIC_WALLET","ReactDOM","render","module","exports","obj","MaxUint256","MaxInt256","formatEther","header","hasBody","isAddress","rpcProvider","providers","JsonRpcProvider","getNetwork","magicProvider","ethereum","Proxy","prop"],"sourceRoot":""}